Amélioration du produit IA de la start-up "Avis Restau"¶

Mise en place d'une nouvelle fonctionnalité de collaboration dans le cadre de l'amélioration de la plateforme Avis Restau.¶

Enjeux¶

  • Possibilité pour les utilisateurs de poster des avis et des photos sur leur restaurant préféré.
  • Possibilité pour l’entreprise de mieux comprendre les avis postés par les utilisateurs.
  • Souhait de labelliser automatiquement les photos postées sur la plateforme.

Objectifs¶

  1. Analyser les commentaires négatifs pour détecter les différents sujets d’insatisfaction.
  2. Analyser les photos pour déterminer leurs catégories (nourriture, décor dans le restaurant ou à l’extérieur du restaurant). Faire une étude de faisabilité, c'est-à-dire savoir rapidement :
  • si on arrive à séparer de façon simple les images (simplement via une représentation en 2D)
  • si la séparation automatique selon la catégorie réelle (classification non supervisée) est possible.
  1. Collecter de nouvelles données via l’API Yelp. Valider la faisabilité de la solution en collectant les informations relatives à environ 200 restaurants pour une ville en utilisant l’API.

Table des matières¶

  • 1. Préparation des données des revues et des images
    • Extraction d'avis négatifs
      • Prétraitement
      • WordCloud
      • LDA
      • Analyse et interprétation des résultats
  • 2. Classification automatique d’images
    • Préprocessing
    • Analyse et transformation d'une image de test
    • 2.1 SIFT (Scale Invariant Feature Transform)
      • 2.1.1 Détermination des descripteurs
        • Affichage des descripteurs
        • Création des descripteurs par image
        • Création des clusters de descripteurs
        • Création des features des images
      • 2.1.2 Réduction de dimensions
        • Réduction de dimension PCA
        • Réduction de dimension T-SNE
      • 2.1.3 Analyse des résultats
        • Analyse visuelle : affichage T-SNE selon les labels
        • Analyse visuelle : affichage T-SNE selon les clusters
        • Analyse des mesures : similarité entre catégories et clusters
          • Création de clusters à partir de PCA
          • Affichage des images selon clusters
          • Calcul de similarité des catégories d'images vs les clusters
    • 2.2 CNN Transfer Learning
      • 2.2.1 Utilisation du VGG-16 pré-entraîné sur une image
      • 2.2.2 Utilisation du VGG-16 pré-entraîné sur l'ensemble des photos
      • 2.2.3 Réduction de dimensions
        • Réduction de dimension PCA
        • Réduction de dimension T-SNE
      • 2.2.4 Analyse des résultats
        • Analyse visuelle : affichage T-SNE selon les labels
        • Analyse des mesures : similarité entre catégories et clusters
          • Création de clusters à partir de PCA
          • Affichage des images selon clusters
          • Calcul de similarité des catégories d'images vs les clusters
  • 3. Validation de la faisabilité
    • Collecte de données via l’API Yelp
    • Affichage de données
  • 4. Conclusion
  • 5. Sources
In [4]:
import warnings
warnings.filterwarnings("ignore", category=DeprecationWarning) 
In [3]:
import pandas as pd
import numpy as np
import seaborn as sns
import matplotlib.pyplot as plt
import matplotlib.colors as mcolors

# Linguistique
import spacy
from collections import Counter
import nltk
from nltk.corpus import stopwords
from nltk.tokenize import sent_tokenize, word_tokenize, WordPunctTokenizer, RegexpTokenizer
from nltk import ngrams
from wordcloud import WordCloud

#Gensim
import gensim
import gensim.corpora as corpora
from gensim.utils import simple_preprocess
from gensim.models.coherencemodel import CoherenceModel
from gensim.models.ldamodel import LdaModel

# Photos
import cv2
from PIL import Image
from skimage.io import imshow, imread
from skimage.transform import resize
from skimage.color import rgb2gray

#vis
import pyLDAvis
import pyLDAvis.gensim
import plotly.express as px

# Système
import sys, os, re
import json
import requests
from tqdm import tqdm
from dotenv import load_dotenv
import joblib
from os import listdir

#Clustering
from sklearn import manifold, decomposition
from sklearn import cluster, metrics
from sklearn.cluster import KMeans
from sklearn import preprocessing
from sklearn.decomposition import PCA
from sklearn.metrics import silhouette_score

# ConvNet
from keras.applications.vgg16 import preprocess_input, decode_predictions, VGG16
from keras.models import Model
from tensorflow.keras.utils import img_to_array, load_img
2022-08-19 18:09:12.146495: W tensorflow/stream_executor/platform/default/dso_loader.cc:64] Could not load dynamic library 'libcudart.so.11.0'; dlerror: libcudart.so.11.0: cannot open shared object file: No such file or directory
2022-08-19 18:09:12.146520: I tensorflow/stream_executor/cuda/cudart_stub.cc:29] Ignore above cudart dlerror if you do not have a GPU set up on your machine.

Préparation des données des revues et des images ¶

Datasets sous forme de fichiers json¶

Grâce au site Yelp, nous avons à notre disposition deux jeux de données :

  • yelp_academic_dataset_business.json - contient les informations sur les restaurants
  • yelp_academic_dataset_review.json - contient les informations sur les avis clients

json - JavaScript Object Notation - est un format d’échange de données dont la syntaxe s’inspire des objets littéraux JavaScript. Python propose des fonctions pour transformer des données depuis JSON et inversement.

Nous allons pouvoir utiliser l’une des méthodes load() et loads() pour désérialiser des données JSON, c’est-à-dire pour convertir des données JSON en objet Python :

  • la méthode load() permet de désérialiser des données JSON écrites dans un fichier
  • la méthode loads() permet de désérialiser des données directement sous forme de chaîne JSON

Restaurants¶

Etant donné que le jeu de données yelp_academic_dataset_business.json est très volumineux, nous allons parcourir les lignes et extraire dans une table les informations dont nous avons besoin (le terme restaurants de la feature categories). Ensuite, nous allons convertir la table en un dataframe :

In [41]:
def get_restaurants():
    """Retourne les ids des business de type restaurant.

    Returns
    ----------
        DataFrame
            Ids des business de type restaurant.
    """

    file_url = "/home/sylwia/Jupyter/P6_NLP/yelp_academic_dataset_business.json"
    restaurants = []

    line_nb = sum(1 for line in open(file_url, encoding="UTF-8"))

    with open(file_url, encoding="UTF-8") as f:
        for line in tqdm(f, total=line_nb, leave=False):
            line_json = json.loads(line)

            if line_json["categories"] is None:
                continue
            elif "Restaurant" not in line_json["categories"]:
                continue

            restaurants.append(line_json)

    return pd.DataFrame(restaurants)
In [42]:
restaurants = get_restaurants()
                                                                                

Affichons le résultat :

In [43]:
restaurants.head()
Out[43]:
business_id name address city state postal_code latitude longitude stars review_count is_open attributes categories hours
0 MTSW4McQd7CbVtyjqoe9mw St Honore Pastries 935 Race St Philadelphia PA 19107 39.955505 -75.155564 4.0 80 1 {'RestaurantsDelivery': 'False', 'OutdoorSeati... Restaurants, Food, Bubble Tea, Coffee & Tea, B... {'Monday': '7:0-20:0', 'Tuesday': '7:0-20:0', ...
1 CF33F8-E6oudUQ46HnavjQ Sonic Drive-In 615 S Main St Ashland City TN 37015 36.269593 -87.058943 2.0 6 1 {'BusinessParking': 'None', 'BusinessAcceptsCr... Burgers, Fast Food, Sandwiches, Food, Ice Crea... {'Monday': '0:0-0:0', 'Tuesday': '6:0-22:0', '...
2 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 38.565165 -90.321087 3.0 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... None
3 bBDDEgkFA1Otx9Lfe7BZUQ Sonic Drive-In 2312 Dickerson Pike Nashville TN 37207 36.208102 -86.768170 1.5 10 1 {'RestaurantsAttire': ''casual'', 'Restaurants... Ice Cream & Frozen Yogurt, Fast Food, Burgers,... {'Monday': '0:0-0:0', 'Tuesday': '6:0-21:0', '...
4 eEOYSgkmpB90uNA7lDOMRA Vietnamese Food Truck Tampa Bay FL 33602 27.955269 -82.456320 4.0 10 1 {'Alcohol': ''none'', 'OutdoorSeating': 'None'... Vietnamese, Food, Restaurants, Food Trucks {'Monday': '11:0-14:0', 'Tuesday': '11:0-14:0'...
In [44]:
restaurants.shape
Out[44]:
(52286, 14)
In [45]:
# Sauvegarde du fichier
joblib.dump(restaurants, 'df_restaurants')
Out[45]:
['df_restaurants']
In [46]:
# Chargement du jeu de données
restaurants = joblib.load('df_restaurants')

Nous allons supprimer les colonnes qui nous semblent inutiles :

In [47]:
useless_col = ['hours', 'latitude', 'longitude', 'stars']
restaurants = restaurants.drop(useless_col, axis=1)

Vérifions rapidement la feature is_open :

In [48]:
restaurants.is_open.value_counts().plot.bar(title='Etablissement ouverts vs fermés', cmap="Accent")
plt.show()
print(restaurants.is_open.value_counts())
1    35004
0    17282
Name: is_open, dtype: int64

La plupart des établissements sont ouverts. Nous allons garder les deux.

Avis¶

Le fichier yelp_academic_dataset_review.json contenant les avis utilisateur est très volumineux. Nous n'allons pas extraire tous les commentaires :

In [49]:
def get_first_reviews(sample_nb) :
    
    reviews = []
    pbar = tqdm(total=sample_nb, leave=False)

    with open("/home/sylwia/Jupyter/P6_NLP/yelp_academic_dataset_review.json", encoding="UTF-8") as f:
        line = f.readline()

        while line and (len(reviews) < sample_nb):
            line_json = json.loads(line)
            reviews.append(line_json)
            pbar.update(1)

            line = f.readline()

    pbar.close()

    return pd.DataFrame(reviews)
In [50]:
reviews = get_first_reviews(100000)
                                                                                
In [51]:
reviews.head()
Out[51]:
review_id user_id business_id stars useful funny cool text date
0 KU_O5udG6zpxOg-VcAEodg mh_-eMZ6K5RLWhZyISBhwA XQfwVwDr-v0ZS3_CbbE5Xw 3.0 0 0 0 If you decide to eat here, just be aware it is... 2018-07-07 22:09:11
1 BiTunyQ73aT9WBnpR9DZGw OyoGAe7OKpv6SyGZT5g77Q 7ATYjTIgM3jUlt4UM3IypQ 5.0 1 0 1 I've taken a lot of spin classes over the year... 2012-01-03 15:28:18
2 saUsX_uimxRlCVr67Z4Jig 8g_iMtfSiwikVnbP2etR0A YjUWPpI6HXG530lwP-fb2A 3.0 0 0 0 Family diner. Had the buffet. Eclectic assortm... 2014-02-05 20:30:30
3 AqPFMleE6RsU23_auESxiA _7bHUi9Uuf5__HHc_Q8guQ kxX2SOes4o-D3ZQBkiMRfA 5.0 1 0 1 Wow! Yummy, different, delicious. Our favo... 2015-01-04 00:01:03
4 Sx8TMOWLNuJBWer-0pcmoA bcjbaE6dDog4jkNY91ncLQ e4Vwtrqf-wpJfwesgvdgxQ 4.0 1 0 1 Cute interior and owner (?) gave us tour of up... 2017-01-14 20:54:15

Suppression de colonnes inutiles :

In [52]:
useless_col = ['useful', 'funny', 'cool']
reviews = reviews.drop(useless_col, axis=1)
In [53]:
reviews.shape
Out[53]:
(100000, 6)

Extraction d'avis négatifs ¶

Pour extraire les avis négatifs, il faut commencer par fusionner les deux jeux de données (afin d'associer les commentaires clients avec les établissements) :

In [54]:
df = pd.merge(restaurants, reviews, on="business_id", how="inner")
In [55]:
df.head()
Out[55]:
business_id name address city state postal_code review_count is_open attributes categories review_id user_id stars text date
0 MTSW4McQd7CbVtyjqoe9mw St Honore Pastries 935 Race St Philadelphia PA 19107 80 1 {'RestaurantsDelivery': 'False', 'OutdoorSeati... Restaurants, Food, Bubble Tea, Coffee & Tea, B... BXQcBN0iAi1lAUxibGLFzA 6_SpY41LIHZuIaiDs5FMKA 4.0 This is nice little Chinese bakery in the hear... 2014-05-26 01:09:53
1 MTSW4McQd7CbVtyjqoe9mw St Honore Pastries 935 Race St Philadelphia PA 19107 80 1 {'RestaurantsDelivery': 'False', 'OutdoorSeati... Restaurants, Food, Bubble Tea, Coffee & Tea, B... uduvUCvi9w3T2bSGivCfXg tCXElwhzekJEH6QJe3xs7Q 4.0 This is the bakery I usually go to in Chinatow... 2013-10-05 15:19:06
2 MTSW4McQd7CbVtyjqoe9mw St Honore Pastries 935 Race St Philadelphia PA 19107 80 1 {'RestaurantsDelivery': 'False', 'OutdoorSeati... Restaurants, Food, Bubble Tea, Coffee & Tea, B... a0vwPOqDXXZuJkbBW2356g WqfKtI-aGMmvbA9pPUxNQQ 5.0 A delightful find in Chinatown! Very clean, an... 2013-10-25 01:34:57
3 MTSW4McQd7CbVtyjqoe9mw St Honore Pastries 935 Race St Philadelphia PA 19107 80 1 {'RestaurantsDelivery': 'False', 'OutdoorSeati... Restaurants, Food, Bubble Tea, Coffee & Tea, B... MKNp_CdR2k2202-c8GN5Dw 3-1va0IQfK-9tUMzfHWfTA 5.0 I ordered a graduation cake for my niece and i... 2018-05-20 17:58:57
4 MTSW4McQd7CbVtyjqoe9mw St Honore Pastries 935 Race St Philadelphia PA 19107 80 1 {'RestaurantsDelivery': 'False', 'OutdoorSeati... Restaurants, Food, Bubble Tea, Coffee & Tea, B... D1GisLDPe84Rrk_R4X2brQ EouCKoDfzaVG0klEgdDvCQ 4.0 HK-STYLE MILK TEA: FOUR STARS\n\nNot quite su... 2013-10-25 02:31:35
In [56]:
print(df.shape)
(72125, 15)
In [57]:
# Sauvegarde du fichier
joblib.dump(df, 'df_depart')
Out[57]:
['df_depart']

Analyse exploratoire

Regardons les résultat de plus près. Les commentaires rédigés par des personnes insatisfaites se traduisent par le nombre de "stars" attribuées. Affichons la distribution des notes :

In [58]:
plt.figure(figsize=(14,6))
sns.countplot(x='stars', data=df)
plt.title('Distribution des notes attribuées')
plt.xlabel('Note attribuée')
plt.ylabel('Nombre de clients')
plt.show()

La plupart des notes sont positives. Pour notre analyse, nous allons utiliser les lignes contenant 1 et 2 étoiles, car les avis notés à 1 étoile ne sont pas suffisamment nombreux :

In [59]:
print(df.loc[df['stars'].isin([1.0])].shape)
print(df.loc[df['stars'].isin([2.0])].shape)
(7188, 15)
(6348, 15)
In [60]:
df = df.loc[df['stars'].isin([1.0,2.0])]
df.head()
Out[60]:
business_id name address city state postal_code review_count is_open attributes categories review_id user_id stars text date
19 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... QPZ66Xk54CprqZgTW1QTdQ m6YhwUNoehMm6s52w9A4eA 2.0 Wife and I have eaten lunch here a few times o... 2013-10-25 15:39:01
20 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... yUpKEiSWjcix-zWHFMT39w -YAnRx8VSDkASxlylv3dyg 1.0 After about 7 minutes of waiting patiently for... 2014-07-16 19:17:34
21 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... JR0MWE4psJqD2MyHbMckxA WJ-veSDe63t0HnCu2E1NSA 1.0 Three of us decided to try this place out last... 2012-12-17 18:37:23
22 bBDDEgkFA1Otx9Lfe7BZUQ Sonic Drive-In 2312 Dickerson Pike Nashville TN 37207 10 1 {'RestaurantsAttire': ''casual'', 'Restaurants... Ice Cream & Frozen Yogurt, Fast Food, Burgers,... XSiL0bd1I9fCJ_uoPcEtgw ilKbkrl_2Hf0sPJUs5FE6Q 1.0 Waited several minutes waiting to order. I was... 2016-11-11 04:01:28
24 il_Ro8jwPlHresjw9EGmBg Denny's 8901 US 31 S Indianapolis IN 46227 28 1 {'RestaurantsReservations': 'False', 'Restaura... American (Traditional), Restaurants, Diners, B... YByDh56Hl11HoYdBm-uArA 9hhRs_n85m-jsKOXp3jt7Q 1.0 Went there at 4am and there was only one waitr... 2016-05-08 08:49:25
In [61]:
df.shape
Out[61]:
(13536, 15)

Vérifions la nature des commentaires en termes de longueur. Notre objectif est de garder uniquement les énoncés modérément longs, pour éviter toute confusion dans l'analyse sémantique.

Dans un premier temps on calcule la longueur des énoncés (le corps du message se trouve dan la feature text), puis on insère une nouvelle colonne length dans le jeu de données :

In [62]:
#Nouvelle colonne contenant la longueur des phrases
df=df.copy() # pour éviter le conflit view vs copy
df['length'] = df.loc[:,'text'].apply(len)
df.head()
Out[62]:
business_id name address city state postal_code review_count is_open attributes categories review_id user_id stars text date length
19 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... QPZ66Xk54CprqZgTW1QTdQ m6YhwUNoehMm6s52w9A4eA 2.0 Wife and I have eaten lunch here a few times o... 2013-10-25 15:39:01 998
20 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... yUpKEiSWjcix-zWHFMT39w -YAnRx8VSDkASxlylv3dyg 1.0 After about 7 minutes of waiting patiently for... 2014-07-16 19:17:34 939
21 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': 'u'full_bar'', '... Pubs, Restaurants, Italian, Bars, American (Tr... JR0MWE4psJqD2MyHbMckxA WJ-veSDe63t0HnCu2E1NSA 1.0 Three of us decided to try this place out last... 2012-12-17 18:37:23 1228
22 bBDDEgkFA1Otx9Lfe7BZUQ Sonic Drive-In 2312 Dickerson Pike Nashville TN 37207 10 1 {'RestaurantsAttire': ''casual'', 'Restaurants... Ice Cream & Frozen Yogurt, Fast Food, Burgers,... XSiL0bd1I9fCJ_uoPcEtgw ilKbkrl_2Hf0sPJUs5FE6Q 1.0 Waited several minutes waiting to order. I was... 2016-11-11 04:01:28 174
24 il_Ro8jwPlHresjw9EGmBg Denny's 8901 US 31 S Indianapolis IN 46227 28 1 {'RestaurantsReservations': 'False', 'Restaura... American (Traditional), Restaurants, Diners, B... YByDh56Hl11HoYdBm-uArA 9hhRs_n85m-jsKOXp3jt7Q 1.0 Went there at 4am and there was only one waitr... 2016-05-08 08:49:25 443

Regardons les avis les plus extrêmes en termes de longueur :

In [63]:
print('L\'avis le plus long :',max(df.length))
print('L\'avis le plus court :',min(df.length))
L'avis le plus long : 4995
L'avis le plus court : 3

Vérifions le nombre d'avis très longs à l'aide d'un boxplot :

In [64]:
plt.figure(figsize=(15, 8))
sns.boxplot(x=df.length)
plt.show()

L'écart interquartile indique que les avis contiennent entre 250 et 800 items. Le quartile maximal s'approche des 1700 items environ. Les outliers dépassent 5000 éléments.

Un avis client qui est trop long risque de fausser l'analyse linguistique. L'idée est de comprendre les motifs d'insatisfaction. Un énoncé trop développé signifie que le client évoque plusieurs sujets qui ne sont pas forcément en rapport avec son insatisfaction. Par conséquent, nous allons limiter le corpus à des avis contenant moins de 800 items.

Sauvegarde du datatset

In [65]:
# Enregistrement du fichier au format csv, sinon msg d'erreur comme quoi il s'agit d'un dico
df.to_csv(r'/home/sylwia/Jupyter/P6_NLP/BS_1_csv_082022.csv')
In [66]:
# Ouverture du fichier csv
data = pd.read_csv(r'/home/sylwia/Jupyter/P6_NLP/BS_1_csv_082022.csv', sep=',', encoding="utf-8", parse_dates=True)

Valeurs manquantes et doublons

Un coup d'oeil sur la propreté du fichier :

In [67]:
data.isna().sum()
Out[67]:
Unnamed: 0       0
business_id      0
name             0
address         36
city             0
state            0
postal_code      0
review_count     0
is_open          0
attributes       9
categories       0
review_id        0
user_id          0
stars            0
text             0
date             0
length           0
dtype: int64
In [68]:
#Suppression de la colonne 'Unnamed' :
data = data.drop(columns=['Unnamed: 0'])
In [69]:
data.duplicated().sum()
Out[69]:
0

Pas de doublons et presque pas de valeurs manquantes.

Modalités

In [70]:
data.dtypes
Out[70]:
business_id      object
name             object
address          object
city             object
state            object
postal_code      object
review_count      int64
is_open           int64
attributes       object
categories       object
review_id        object
user_id          object
stars           float64
text             object
date             object
length            int64
dtype: object
In [71]:
# Taille finale :
data.shape
Out[71]:
(13536, 16)
In [72]:
# Sauvegarde du fichier
joblib.dump(data, 'df_clean')
Out[72]:
['df_clean']

Prétraitement ¶

Dans cette partie, nous allons procéder au traitement du texte. Trois objectifs :

  • création du corpus
  • tokenisation
  • normalisation
  • nettoyage

Dans un premier temps, nous allons isoler les données textuelles, c'est-à-dire récupérer les avis clients depuis la colonne text de notre jeu de données :

In [429]:
# Chargement du jeu de données
data = joblib.load('df_clean')
In [430]:
data.head(2)
Out[430]:
business_id name address city state postal_code review_count is_open attributes categories review_id user_id stars text date length
0 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': "u'full_bar'", '... Pubs, Restaurants, Italian, Bars, American (Tr... QPZ66Xk54CprqZgTW1QTdQ m6YhwUNoehMm6s52w9A4eA 2.0 Wife and I have eaten lunch here a few times o... 2013-10-25 15:39:01 998
1 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': "u'full_bar'", '... Pubs, Restaurants, Italian, Bars, American (Tr... yUpKEiSWjcix-zWHFMT39w -YAnRx8VSDkASxlylv3dyg 1.0 After about 7 minutes of waiting patiently for... 2014-07-16 19:17:34 939

Création de corpus¶

  1. Isolation des données textuelles et transformation en dictionnaire
In [431]:
corpus = data[['text']].copy()
corpus = corpus.text.to_dict()

#for cle, valeur in corpus.items():
#    print("-----La clé ----", cle, "-----vaut-----", valeur)

print('Le corpus contient {} avis client.'.format(len(corpus.keys())))
Le corpus contient 13536 avis client.
In [432]:
# Sauvegarde
corpus_origin=corpus.copy()
  1. Suppression de phrases trop longues.

Nous allons garder uniquement les avis qui ne dépassent pas 800 éléments :

In [433]:
corpus = {k: v for k, v in corpus.items() if len(v) < 800}
print('Le corpus final contient {} avis client'.format(len(corpus.keys()))+' ne dépassant pas 800 items.')
Le corpus final contient 9946 avis client ne dépassant pas 800 items.

Combien d'avis ont été mis à l'écart ? :

In [434]:
too_long = {k: v for k, v in corpus_origin.items() if len(v) > 800}
print('{} avis dépassent 800 mots.'.format(len(too_long)))
3587 avis dépassent 800 mots.

Un premier affichage avec WordCloud

Essayons de faire un premier affichage de mots principaux du corpus. WordCloud est l'outil qui nous permettra de les visualiser.

In [435]:
# Vérification de la volumétrie
len(corpus)
Out[435]:
9946
In [436]:
#Conversion du dico en strings
corpus_str=str(corpus.values())
len(corpus_str)
Out[436]:
3882106
In [437]:
# Instantiate a new wordcloud.
wordcloud = WordCloud(random_state=8,
                      normalize_plurals=False,
                      width=600, height=300,
                      max_words=300)
In [438]:
# Apply the wordcloud to the text.
wordcloud.generate(corpus_str)
Out[438]:
<wordcloud.wordcloud.WordCloud at 0x7f515b093a30>
In [439]:
fig, ax = plt.subplots(1, 1, figsize=(16, 12))
plt.imshow(wordcloud, interpolation='bilinear')
plt.axis("off")
plt.show()

Le nuage de mots est incompréhensible.

Nous remarquons la présence de nombreux termes qui n'apportent aucun sens à l'analyse linguistique :

  • les déterminants et les prépositions
  • les adjectifs et les adverbes (great, good, bad, well, awful, nice, little)

L'objectif est d'identifier les sujets d'insatisfaction. Comme le corpus est constitué d'avis négatifs uniquement, nous pouvons enlever les adjectifs et les adverbes en toute sérénité. Idem pour les déterminants et les prépositions.

Nettoyage¶

Dans la partie nettoyage, nous allons supprimer les éléments qui n'apportent pas de valeur informative pour la compréhension du "sens". Plus exactement, il s'agit de :

  • enlever les stopwords (des éléments inutiles, principalement les déterminants et les prépositions, afin que les données soient davantage traduisibles pour l'ordinateur)
  • uniformiser la taille des caractères (seulement les minuscules)
  • enlever les espaces et les ponctuations

Nous allons nous servir de spaCy, une bibliothèque de Python dédiée au traitement automatique des langues. Grâce à spaCy, nous allons mettre en place une pipeline qui permettra d'effectuer toutes les opération à la fois.

Nous allons procéder également à la lemmatisation, c'est-à-dire nous allons ôter les suffixes.

Dans un premier temps nous allons procéder à un cleaning d'un extrait issu du corpus. Ensuite nous allons preprocesser le corpus dans son intégralité.

Nettoyage d'un extrait du corpus

In [440]:
corpus_list=list(corpus.values())
len(corpus_list)
Out[440]:
9946

Choix d'un échantillon :

In [441]:
# Display setting to show more characters in column
pd.options.display.max_colwidth = 80


sentence = corpus_list[:2]
sentence
Out[441]:
["Waited several minutes waiting to order. I was the only car waiting. An employee saw pull out didn't say anything. Been to this Sonics several times, slow service every time.",
 'Went there at 4am and there was only one waitress. I don\'t go to Denny\'s often but I didn\'t remember the food being that bad, completely unsatisfactory. We only got 3 menus, the waitress only come to our table for drinks, order, food, check. We ran out of drinks and never got a refill of all you can eat pancakes. The ranch tasted like sour milk, I can make better pancakes with a box of "just add water" mix. Waste of 40$ for the four of us.']

Tokénisation (découpe de chaîne de signes) avec gensim :

In [442]:
def sent_to_words(text):
    for sentence in text:
        yield(gensim.utils.simple_preprocess(str(sentence), deacc=True))
In [443]:
extrait_normalized = list(sent_to_words(sentence))
print(extrait_normalized)
[['waited', 'several', 'minutes', 'waiting', 'to', 'order', 'was', 'the', 'only', 'car', 'waiting', 'an', 'employee', 'saw', 'pull', 'out', 'didn', 'say', 'anything', 'been', 'to', 'this', 'sonics', 'several', 'times', 'slow', 'service', 'every', 'time'], ['went', 'there', 'at', 'am', 'and', 'there', 'was', 'only', 'one', 'waitress', 'don', 'go', 'to', 'denny', 'often', 'but', 'didn', 'remember', 'the', 'food', 'being', 'that', 'bad', 'completely', 'unsatisfactory', 'we', 'only', 'got', 'menus', 'the', 'waitress', 'only', 'come', 'to', 'our', 'table', 'for', 'drinks', 'order', 'food', 'check', 'we', 'ran', 'out', 'of', 'drinks', 'and', 'never', 'got', 'refill', 'of', 'all', 'you', 'can', 'eat', 'pancakes', 'the', 'ranch', 'tasted', 'like', 'sour', 'milk', 'can', 'make', 'better', 'pancakes', 'with', 'box', 'of', 'just', 'add', 'water', 'mix', 'waste', 'of', 'for', 'the', 'four', 'of', 'us']]

Définition de stop words :

In [444]:
stop_words = stopwords.words('english')


stop_words.extend([
    # Mots inutiles repérés dans le corpus et ajoutés à la liste
    'not','ve',"will","la","hi","till","bf","idk","bf","fcc","fi",
    # Mots repérés lors du LDA qui n'apportent pas de sens aux topics identifiés
    "go","get"])


def remove_stopwords(texts):
    return [[word for word in simple_preprocess(str(doc)) if word not in stop_words] for doc in texts]
In [445]:
#stop_words[:10]

Suppression des stop words dans l'échantillon :

In [446]:
extrait_no_stopwords = remove_stopwords(extrait_normalized)
print(extrait_no_stopwords[:2])
[['waited', 'several', 'minutes', 'waiting', 'order', 'car', 'waiting', 'employee', 'saw', 'pull', 'say', 'anything', 'sonics', 'several', 'times', 'slow', 'service', 'every', 'time'], ['went', 'one', 'waitress', 'denny', 'often', 'remember', 'food', 'bad', 'completely', 'unsatisfactory', 'got', 'menus', 'waitress', 'come', 'table', 'drinks', 'order', 'food', 'check', 'ran', 'drinks', 'never', 'got', 'refill', 'eat', 'pancakes', 'ranch', 'tasted', 'like', 'sour', 'milk', 'make', 'better', 'pancakes', 'box', 'add', 'water', 'mix', 'waste', 'four', 'us']]

Lemmatisation et tri de catégories grammaticales (on souhaite garder les verbes et noms uniquement) :

In [447]:
nlp = spacy.load('en_core_web_sm', disable=["parser", "ner"])
In [448]:
def lemmatization(texts, allowed_postags=['NOUN', 'VERB']):

    texts_out = []
    for sent in texts:
        doc = nlp(" ".join(sent)) 
        texts_out.append([token.lemma_ for token in doc if token.pos_ in allowed_postags])
    return texts_out
In [449]:
extrait_lemmatized = lemmatization(extrait_no_stopwords)
In [450]:
print(extrait_lemmatized[:2])
[['wait', 'minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic', 'time', 'service', 'time'], ['go', 'waitress', 'denny', 'remember', 'food', 'get', 'menu', 'waitress', 'come', 'table', 'drink', 'order', 'food', 'check', 'run', 'drink', 'get', 'refill', 'eat', 'pancake', 'ranch', 'taste', 'milk', 'make', 'pancake', 'box', 'add', 'water', 'mix', 'waste']]

On remarque la présence d'éléments qui avaient été signalés comme stopwords : suite à la lemmatisation la forme passée du verbe got a s'est transformé en la forme du présent : get. Il est donc indispensable de relancer la suppression des stopwords :

In [451]:
extrait_final = remove_stopwords(extrait_lemmatized)
print(extrait_final[:2])
[['wait', 'minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic', 'time', 'service', 'time'], ['waitress', 'denny', 'remember', 'food', 'menu', 'waitress', 'come', 'table', 'drink', 'order', 'food', 'check', 'run', 'drink', 'refill', 'eat', 'pancake', 'ranch', 'taste', 'milk', 'make', 'pancake', 'box', 'add', 'water', 'mix', 'waste']]

L'extrait préprocessé contient uniquement les lemmes sous forme verbale et nominale, ce qui correspond au résultat attendu. Comparons le texte d'origine avant et après la transformation :

In [452]:
for old_sen, new_sen in zip(sentence, extrait_lemmatized):
    print("Avant :    ", old_sen[:100])
    print("Après :    ", new_sen[:10])
    print()
Avant :     Waited several minutes waiting to order. I was the only car waiting. An employee saw pull out didn't
Après :     ['wait', 'minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say']

Avant :     Went there at 4am and there was only one waitress. I don't go to Denny's often but I didn't remember
Après :     ['go', 'waitress', 'denny', 'remember', 'food', 'get', 'menu', 'waitress', 'come', 'table']

Nettoyage du corpus

Les tests sur un extrait ont donné de très bons résultats. A présent, nous allons appliquer les mêmes opérations sur l'intégralité du corpus.

In [453]:
corpus_normalized = list(sent_to_words(corpus_list))
print(corpus_normalized[:3])
[['waited', 'several', 'minutes', 'waiting', 'to', 'order', 'was', 'the', 'only', 'car', 'waiting', 'an', 'employee', 'saw', 'pull', 'out', 'didn', 'say', 'anything', 'been', 'to', 'this', 'sonics', 'several', 'times', 'slow', 'service', 'every', 'time'], ['went', 'there', 'at', 'am', 'and', 'there', 'was', 'only', 'one', 'waitress', 'don', 'go', 'to', 'denny', 'often', 'but', 'didn', 'remember', 'the', 'food', 'being', 'that', 'bad', 'completely', 'unsatisfactory', 'we', 'only', 'got', 'menus', 'the', 'waitress', 'only', 'come', 'to', 'our', 'table', 'for', 'drinks', 'order', 'food', 'check', 'we', 'ran', 'out', 'of', 'drinks', 'and', 'never', 'got', 'refill', 'of', 'all', 'you', 'can', 'eat', 'pancakes', 'the', 'ranch', 'tasted', 'like', 'sour', 'milk', 'can', 'make', 'better', 'pancakes', 'with', 'box', 'of', 'just', 'add', 'water', 'mix', 'waste', 'of', 'for', 'the', 'four', 'of', 'us'], ['food', 'was', 'decent', 'staff', 'were', 'accommodating', 'restaurant', 'was', 'filthy', 'mess', 'disgusting', 'restrooms', 'had', 'visited', 'the', 'facilities', 'st', 'wouldn', 'have', 'eaten']]

Suppression des stop words :

In [454]:
df_no_stopwords = remove_stopwords(corpus_normalized)
print(df_no_stopwords[:3])
[['waited', 'several', 'minutes', 'waiting', 'order', 'car', 'waiting', 'employee', 'saw', 'pull', 'say', 'anything', 'sonics', 'several', 'times', 'slow', 'service', 'every', 'time'], ['went', 'one', 'waitress', 'denny', 'often', 'remember', 'food', 'bad', 'completely', 'unsatisfactory', 'got', 'menus', 'waitress', 'come', 'table', 'drinks', 'order', 'food', 'check', 'ran', 'drinks', 'never', 'got', 'refill', 'eat', 'pancakes', 'ranch', 'tasted', 'like', 'sour', 'milk', 'make', 'better', 'pancakes', 'box', 'add', 'water', 'mix', 'waste', 'four', 'us'], ['food', 'decent', 'staff', 'accommodating', 'restaurant', 'filthy', 'mess', 'disgusting', 'restrooms', 'visited', 'facilities', 'st', 'eaten']]

Lemmatisation et tri de catégories grammaticales (verbes et noms uniquement) :

In [455]:
df_lemmatized = lemmatization(df_no_stopwords)
In [456]:
print(df_lemmatized[:3])
[['wait', 'minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic', 'time', 'service', 'time'], ['go', 'waitress', 'denny', 'remember', 'food', 'get', 'menu', 'waitress', 'come', 'table', 'drink', 'order', 'food', 'check', 'run', 'drink', 'get', 'refill', 'eat', 'pancake', 'ranch', 'taste', 'milk', 'make', 'pancake', 'box', 'add', 'water', 'mix', 'waste'], ['food', 'staff', 'accommodate', 'restaurant', 'mess', 'restroom', 'visit', 'facility', 'eat']]

On relance le tri des stopwords dans le corpus suite à la lemmatisation, afin d'enlever les formes verbales du présent (get) :

In [457]:
df_lemmatized = remove_stopwords(df_lemmatized)
print(df_lemmatized[:3])
[['wait', 'minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic', 'time', 'service', 'time'], ['waitress', 'denny', 'remember', 'food', 'menu', 'waitress', 'come', 'table', 'drink', 'order', 'food', 'check', 'run', 'drink', 'refill', 'eat', 'pancake', 'ranch', 'taste', 'milk', 'make', 'pancake', 'box', 'add', 'water', 'mix', 'waste'], ['food', 'staff', 'accommodate', 'restaurant', 'mess', 'restroom', 'visit', 'facility', 'eat']]

N-grams

Les n-grams sont des séquences de mots. Les unigrams sont des mots uniques, bigrams des séquences de deux mots, trigrams de trois mots et ainsi de suite.

Un modèle n-gram permet de modéliser chaque succession de mots par une probabilité. Pour les besons de notre projet, nous allons essayer d'identifier les bigrams. Ceci qui nous permettra de détecter les séquences de mots inséparables et, par conséquent, faciliter la détection de sujets d'insatisfaction.

In [458]:
# Création de bigrams avec gensim
bigram = gensim.models.Phrases(df_lemmatized, min_count=5, threshold=10) # higher threshold fewer phrases.
# Faster way to get a sentence clubbed as a trigram/bigram
bigram_mod = gensim.models.phrases.Phraser(bigram)
In [459]:
def make_bigrams(texts):
    return [bigram_mod[doc] for doc in texts]
In [460]:
data_lemmatized = make_bigrams(df_lemmatized)
print(data_lemmatized[:10])
[['wait_minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic', 'time', 'service', 'time'], ['waitress', 'denny', 'remember', 'food', 'menu', 'waitress', 'come', 'table', 'drink', 'order', 'food', 'check', 'run', 'drink_refill', 'eat', 'pancake', 'ranch', 'taste', 'milk', 'make', 'pancake', 'box', 'add', 'water', 'mix', 'waste'], ['food', 'staff', 'accommodate', 'restaurant', 'mess', 'restroom', 'visit', 'facility', 'eat'], ['chicken_parm', 'sandwich', 'eat', 'chicken', 'flavorless', 'feeling', 'make', 'day', 'put', 'ton', 'sauce', 'garlic', 'season', 'piece', 'cheese_melt', 'take_bite', 'throw', 'rest', 'inch', 'back', 'blech'], ['neighborhood', 'use', 'order', 'week', 'pick', 'time', 'wait_minute', 'team', 'scramble', 'try', 'find', 'change', 'want', 'pay', 'food', 'take', 'tonight', 'wait', 'change', 'give', 'dollar', 'check', 'food', 'dish', 'lose_customer'], ['time', 'order', 'order', 'tuna_roll', 'tuna', 'taste', 'sit', 'sun', 'rot', 'day', 'taste', 'time', 'order', 'feel', 'eat', 'tuna', 'feel', 'piece', 'disappoint', 'order'], ['rice', 'meet', 'pot', 'rice'], ['understand', 'craze', 'place', 'restaurant', 'fine', 'food', 'come', 'take', 'minute', 'say', 'bibimbap', 'come', 'mean', 'serve', 'food', 'table', 'know', 'place', 'deserve', 'feel', 'give', 'review', 'food'], ['kid', 'work', 'roast', 'screw', 'thing', 'moon', 'expect', 'cookie', 'offer', 'pain', 'chocolate', 'chewy', 'abomination', 'avoid_cost', 'sandwich', 'overprice', 'drink'], ['place', 'make', 'menu', 'raise_price', 'food', 'mediocre', 'start', 'cook', 'make', 'couple', 'pasta_dish', 'include', 'spaghetti', 'lemon', 'chicken', 'piccatta', 'beginner', 'cooking', 'judge', 'place', 'food', 'day', 'food', 'look', 'week', 'food', 'day', 'eat', 'hostess', 'order', 'glass_wine', 'pour', 'wine_glass', 'spill', 'table', 'ignore', 'idiot', 'waitress', 'say', 'money', 'hour', 'girlfriend', 'end', 'restaurant', 'mean', 'try', 'make', 'way']]

Le modèle a permis d'identifier les paires de mots avec succès ! Quelques exemples :

  • wait_minute
  • customer_service
  • waste_time
  • give_star
  • crab_cake
  • lack_flavor

Comparaison du avant et après

Regardons l'état du corpus original et celui transformé en vecteurs :

In [461]:
for old_sen, new_sen in zip(corpus_list, data_lemmatized):
    print("Avant :    ", old_sen[:100])
    print("Après :    ", new_sen[:10])
    print()
Avant :     Waited several minutes waiting to order. I was the only car waiting. An employee saw pull out didn't
Après :     ['wait_minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic']

Avant :     Went there at 4am and there was only one waitress. I don't go to Denny's often but I didn't remember
Après :     ['waitress', 'denny', 'remember', 'food', 'menu', 'waitress', 'come', 'table', 'drink', 'order']

Avant :     Food was decent, staff were accommodating. Restaurant was a filthy mess, disgusting restrooms; had I
Après :     ['food', 'staff', 'accommodate', 'restaurant', 'mess', 'restroom', 'visit', 'facility', 'eat']

Avant :     The worst Chicken Parm. Sandwich I've ever eaten. The chicken was dry and flavorless...I have a feel
Après :     ['chicken_parm', 'sandwich', 'eat', 'chicken', 'flavorless', 'feeling', 'make', 'day', 'put', 'ton']

Avant :     I live in the neighborhood and used to order at least once a week and pick up.  The last last few ti
Après :     ['neighborhood', 'use', 'order', 'week', 'pick', 'time', 'wait_minute', 'team', 'scramble', 'try']

Avant :     3rd time ordering out and the sushi was just disgusting. I ordered the spicy tuna roll and the tuna 
Après :     ['time', 'order', 'order', 'tuna_roll', 'tuna', 'taste', 'sit', 'sun', 'rot', 'day']

Avant :     Mostly rice, very little meet. Dol sot pot was not hot enough to crisp the rice.
Après :     ['rice', 'meet', 'pot', 'rice']

Avant :     Uh I don't understand why there is such a craze for this place. When I went, the restaurant was empt
Après :     ['understand', 'craze', 'place', 'restaurant', 'fine', 'food', 'come', 'take', 'minute', 'say']

Avant :     The kids who work at Roast are friendly.  They screw up things once in a blue moon, but that's to be
Après :     ['kid', 'work', 'roast', 'screw', 'thing', 'moon', 'expect', 'cookie', 'offer', 'pain']

Avant :     Please, this place makes a semi-new menu and raised their prices. The food is very mediocre. i just 
Après :     ['place', 'make', 'menu', 'raise_price', 'food', 'mediocre', 'start', 'cook', 'make', 'couple']

Avant :     Food showed up cold, salmon was raw inside, plastic in the dessert, fatty lamb chops and some sort o
Après :     ['food', 'show', 'salmon', 'plastic', 'chop', 'thing', 'glass', 'service']

Avant :     There is a weird smell when you walk in the door... Not sure what it resembles. The bread was gross,
Après :     ['smell', 'walk_door', 'resemble', 'bread', 'food', 'expect', 'grill', 'choice', 'date', 'restaurant']

Avant :     If you like SALT, eat here. I should have refused the buffalo chicken dish, but didn't.. Thought I w
Après :     ['salt', 'eat', 'refuse', 'buffalo', 'chicken', 'dish', 'thought', 'give', 'thumb', 'yelp']

Avant :     Brought the family here a few nights ago for dinner. After being seated, we sat for about 15 min wit
Après :     ['bring', 'family', 'night', 'dinner', 'seat', 'sit', 'ask', 'like', 'glass', 'water']

Avant :     Management is not professional and does not honor reservations. Quite an attitude. I do not recommen
Après :     ['management', 'honor', 'reservation', 'attitude', 'recommend', 'place']

Avant :     Well it's good thing for this place that it's Christmas and every place is busy lunch was lack luste
Après :     ['thing', 'place', 'place', 'lunch', 'lack_luster', 'salad', 'crouton', 'staff', 'ask', 'stuff']

Avant :     Food was fair. Every one at work likes to come here so I go along. Service was just fair. The wait s
Après :     ['food', 'work', 'like', 'come', 'service', 'wait', 'staff', 'check', 'check', 'time']

Avant :     We ate here for Mother's Day and couldn't be more disappointed.  We waited 20 minutes for our glass 
Après :     ['eat', 'mother_day', 'disappoint', 'wait_minute', 'glass_wine', 'minute', 'food', 'arrive', 'order', 'chicken']

Avant :     This was one of the grosses dining experiences ever.  I came here while visiting a friend against my
Après :     ['gross', 'dining_experience', 'come', 'visit', 'friend', 'judgment', 'olive_garden', 'say', 'price', 'quality']

Avant :     We were excited to get to Reno to eat at Macaroni Grill. I am disappointed to say it was Horrible!! 
Après :     ['say', 'order', 'dpi', 'artichoke_dip', 'finish', 'meal', 'ice', 'bread', 'microwave', 'texture']

Avant :     I went with 2 friends for dinner and not impressed. The shrimp in my pasta dish was still frozen and
Après :     ['friend', 'dinner', 'shrimp', 'pasta_dish', 'friend', 'dish', 'come', 'wait', 'remake', 'dish']

Avant :     If you absolutely have to go here for their mediocre food and their mediocre service,  BEG the Host/
Après :     ['food', 'service', 'beg', 'host', 'hostess', 'seat', 'bathroom', 'seem', 'problem', 'trap']

Avant :     Tonight wasn't our first night here, but it was definitely our last.

I really like the lighting in 
Après :     ['tonight', 'night', 'last', 'light', 'place', 'service', 'people', 'help', 'pasta', 'come']

Avant :     Outrageously overpriced for what it is. Insultingly so. It would be one thing if the cocktails warra
Après :     ['overprice', 'thing', 'cocktail', 'warrant', 'bartender', 'star', 'area', 'cocktail', 'close', 'price']

Avant :     Undercook and overpaid! Got a pizza and it wasn't even fully cook, pretty gross. We were between Lit
Après :     ['overpay', 'pizza', 'cook', 'think', 'pay', 'pizza', 'wrong', 'pizza', 'cook']

Avant :     Absolutely disgusting. Do yourself a favor and never order from here. Food is terrible
Après :     ['favor', 'order', 'food']

Avant :     I placed a delivery order at 6:44 and was told it would arrive through grub hub between 7:30 and 7:4
Après :     ['place', 'delivery', 'order', 'tell', 'arrive', 'grub_hub', 'frame', 'call', 'say', 'delivery']

Avant :     Instead of ordering delivery from this place make a reservation at a nice fancy restaurant in center
Après :     ['order', 'delivery', 'place', 'make_reservation', 'restaurant', 'center_city', 'save_money', 'pizza']

Avant :     Bunch of high school/college kids running the place. The food is decent, but just decent. 50% chance
Après :     ['school', 'college_kid', 'run', 'place', 'food', 'chance', 'mess', 'order', 'capacity']

Avant :     Their eggplant parm is terrible. Eggplant wasn't cooked right so it was chewy disgusting. Greek Caes
Après :     ['eggplant', 'parm', 'eggplant', 'cook', 'chewy', 'greek_salad', 'look', 'lettuce', 'wilt', 'cause']

Avant :     When a review is only 1 star, then there really isn't too much to write. The service was inattentive
Après :     ['review', 'star', 'service', 'cheeseburger', 'cook', 'surface', 'sun', 'base', 'char', 'roach']

Avant :     Food used to great years ago but getting really chintzy.  Beef with broccoli, thin tough pieces of b
Après :     ['food', 'use', 'year', 'beef_broccoli', 'piece', 'beef', 'slice', 'cover', 'veggie', 'people']

Avant :     Food was very good until I found a wasp in my twice cooked pork. I was enjoying my food very much un
Après :     ['food', 'find', 'wasp', 'cook', 'pork', 'enjoy', 'food', 'find', 'come', 'think']

Avant :     Awful business model it took forever to even figure out where to order. on top of that the workers a
Après :     ['business', 'model', 'take', 'figure', 'order', 'worker', 'half', 'sandwhich', 'sausage', 'cover']

Avant :     The vibe of the space is great.  The food?  Meh.  I've eaten here three times now.  Omelets have bee
Après :     ['vibe', 'space', 'food', 'meh', 'eat', 'time', 'omelet', 'dry', 'food', 'think']

Avant :     The decor is beautiful and I could spend hours with coffee working here. However, the servers all se
Après :     ['spend', 'hour', 'coffee', 'work', 'server', 'seem', 'flow', 'order', 'bit', 'brunch']

Avant :     I guess I should have ordered the Pizza, because I cannot believe how bland the pasta was. Save your
Après :     ['guess', 'order', 'pizza', 'believe', 'pasta', 'save_money', 'make', 'pasta', 'weight', 'watcher']

Avant :     I was hoping that the restaurant that replaced Copeland's in this space would be a regular in my rot
Après :     ['hope', 'restaurant', 'replace', 'copeland', 'space', 'rotation', 'westbank', 'restaurant', 'leave', 'overcharge']

Avant :     Waiting staffs r great but raw oysters r dirty n torn. We order the seafood stuff mushrooms n it is 
Après :     ['wait', 'staff', 'oyster', 'tear', 'order', 'seafood', 'stuff', 'mushroom', 'dry', 'lobster']

Avant :     Food was ok. We were there to watch playoff hockey. Waitress was horribly inattentive. Never did bri
Après :     ['food', 'watch', 'playoff', 'waitress', 'bring', 'water', 'ask', 'time', 'stay', 'table']

Avant :     Probably the worst service ever... Was here on a Sunday evening with a group of 4 to get drinks and 
Après :     ['service', 'evening', 'group', 'drink', 'couple', 'app', 'friend', 'serve', 'beer', 'drink']

Avant :     My burger was extremely greasy and my fries were very cold. The waitress was also not helpful to me 
Après :     ['fry', 'waitress', 'fiance', 'friend', 'seem', 'talk', 'waitress', 'hostess']

Avant :     First time here. Food is OK. Chicken fingers are the typical "frozen out of a bag" kind. To be expec
Après :     ['time', 'food', 'chicken_finger', 'bag', 'expect', 'sport_bar', 'beer_selection', 'star', 'lot', 'screen']

Avant :     Our server was about as bad as it gets, bartenders even worse. Its new so they have to ween out ther
Après :     ['server', 'bartender', 'staff', 'highlight', 'screw']

Avant :     The first time I visited I thought maybe it was me so I figured I would give them another try. Nope 
Après :     ['time', 'visit', 'thought', 'figure', 'give', 'try', 'nope', 'fry_pickle', 'fry', 'season']

Avant :     The margarita tasted like lemonade. It was AWFUL and tasted like it had no tequila in it at all. I a
Après :     ['taste', 'lemonade', 'taste', 'tequila', 'ask', 'switch', 'remake', 'service']

Avant :     Yikes- My wife and I have tried eating here twice now... once about a month ago and again this weeke
Après :     ['yike', 'wife', 'try', 'eat', 'month', 'weekend', 'time', 'wait', 'see', 'work']

Avant :     Used to come here a lot when it was Chumleys. The food and service was great then. Now? The food is 
Après :     ['use', 'come', 'lot', 'chumley', 'food', 'service', 'food', 'service', 'shame', 'chumley']

Avant :     My first visit and my last. Just spent $21.00 for fried oysters and fries. Fries were the best part 
Après :     ['visit', 'spend', 'fry', 'oyster', 'fry', 'fry', 'part', 'meal', 'ketchup', 'present']

Avant :     I absolutely love oysters and have been on the hunt for good oysters in the area every since I've mo
Après :     ['love', 'oyster', 'hunt', 'oyster', 'area', 'occasion', 'time', 'disappoint', 'oyster', 'bit']

Avant :     Watch out for credit card fraud. Eat dinner last Thursday nite service was good tipped 20% which is 
Après :     ['watch', 'credit_card', 'fraud', 'eat', 'dinner', 'service', 'good', 'tip', 'service', 'good']

Avant :     Had take out--ordered the pan seared chicken. It was very rubbery, hard, dry.  The sides were so so.
Après :     ['take', 'order', 'rubbery', 'side', 'crab', 'hash', 'quality', 'shame', 'gift_card', 'half']

Avant :     Disappointing. We asked the bar tender if we could get fried oysters, which are not on the menu, he 
Après :     ['ask', 'bar_tender', 'fry', 'oyster', 'menu', 'say', 'problem', 'ask', 'say', 'order']

Avant :     Went with a friend this past weekend and I must say it was a pretty horrible experience. The waitres
Après :     ['friend', 'weekend', 'say', 'experience', 'waitress', 'food', 'rubbery', 'sauce', 'top', 'taste']

Avant :     Horrible, disinterested, uneducated wait staff.  Overpriced.  Uses frozen seafood (my wife's shrimp 
Après :     ['disintereste', 'wait', 'staff', 'overprice', 'use', 'seafood', 'wife', 'center', 'wait', 'food']

Avant :     We went as a group of 6 plus a toddler for lunch. It was not busy at all when we arrived and we were
Après :     ['group', 'toddler', 'lunch', 'arrive', 'seat', 'drink', 'order', 'take', 'take', 'minute']

Avant :     Terrible terrible terrible and expensive. The lobster bisque was too can't, the drinks tasted like t
Après :     ['lobster', 'bisque', 'drink', 'taste', 'virgin', 'avoid_cost']

Avant :     Only had the bloody mary, but it was pretty bad.  An oyster house should have a bloody mary that is 
Après :     ['oyster', 'house', 'mary', 'define', 'meal', 'bloody', 'ketchup', 'vodka', 'body', 'bartender']

Avant :     This place is a dump. Its dirty and the bartenders are NASTY. Much better option down the road at Ra
Après :     ['place', 'dump', 'bartender', 'option', 'road', 'rack', 'brew', 'believe', 'give', 'try']

Avant :     I've tried twice to get in on separate occasions! Once when I was 22 with a NJ state ID but I wasn't
Après :     ['try', 'occasion', 'state', 'allow', 'tell', 'need', 'driver', 'license', 'state', 'auto']

Avant :     After Washington Township just experienced a tornado, my family and I had lots of damage to our hous
Après :     ['experience', 'tornado', 'family', 'lot', 'decide', 'grab', 'bite', 'eat', 'sharkey', 'place']

Avant :     Sandwich Service is very slow. Sandwiches are not consistent, always different when ordering the sam
Après :     ['sandwich', 'service', 'sandwich', 'order', 'thing', 'rush', 'hour', 'wawa', 'employee', 'work']

Avant :     Wawa overall is pretty good, but this location leaves a lot to be desired.  If you are there at nigh
Après :     ['location', 'leave', 'lot_desire', 'night', 'hope', 'stuff', 'forget', 'stock', 'heat', 'tray']

Avant :     Super slow service, "salads" are not very good and really over priced. Won't be returning.
Après :     ['service', 'salad', 'price', 'return']

Avant :     I wanted wood-fired eggs from sister venue Lucky Penny and was hoping Helena Bakery would have them,
Après :     ['want', 'wood_fire', 'egg', 'sister', 'venue', 'penny', 'hope', 'helena', 'bakery', 'order']

Avant :     I want to like the Helena Bakery, but they don't offer the yummy bakery items they provided at Lucky
Après :     ['want', 'helena', 'bakery', 'offer', 'bakery', 'item', 'provide', 'penny', 'miss', 'penny']

Avant :     I had really high expectations for this bakery since I'm a pastry chef myself. They seem like they a
Après :     ['expectation', 'bakery', 'pastry', 'chef', 'seem', 'bakery', 'retail', 'show', 'case', 'arrive']

Avant :     The server had cut her arm and had blood running down it and was serving ice cream. I saw that she h
Après :     ['server', 'cut', 'arm', 'blood', 'run', 'serve', 'ice_cream', 'see', 'blood', 'ice']

Avant :     Since Mike's Ice Cream moved to their new location on 2nd Avenue, the service at this place has been
Après :     ['cream', 'move', 'location', 'nd', 'avenue', 'service', 'place', 'counter', 'clerk', 'put']

Avant :     I ducked in here after walking the strip on a Sunday afternoon.   It was a hot day and I just wanted
Après :     ['duck', 'walk', 'strip', 'afternoon', 'day', 'want', 'satisfy', 'chain', 'ice_cream', 'shop']

Avant :     Totally rude guy that closes at night. It was not even midnight and when we tried to come in the cas
Après :     ['guy', 'close', 'night', 'midnight', 'try', 'come', 'cashier', 'run', 'door_lock', 'face']

Avant :     A party of 8 of us went on a Friday night and the place was empty. Food was meh; and overpriced. 

B
Après :     ['night', 'place', 'food', 'meh', 'overprice', 'service', 'waitress', 'seem', 'interrupt', 'fun']

Avant :     Food was good but service was the worst. The front doors enter into a bar area and there was a big c
Après :     ['food', 'service', 'door', 'enter', 'bar', 'area', 'crowd', 'drunk', 'turn', 'stare']

Avant :     I've been going to Ricardo's for years, and am so saddened to have witnessed a steady decline in bot
Après :     ['year', 'sadden', 'witness', 'decline', 'service', 'food', 'quality', 'like', 'service', 'disappoint']

Avant :     Everytime I pass by here, which is practically once a day, I remember the meals we had for dinner.  
Après :     ['pass', 'day', 'remember', 'meal', 'dinner', 'remember', 'sunset', 'dinner', 'flavor', 'pizzaz']

Avant :     Do not eat here. First of all, it took them about 3 weeks to fix their drink machine. Secondly, my c
Après :     ['eat', 'take', 'week', 'fix', 'drink', 'machine', 'coworker', 'eat', 'occasion', 'feel']

Avant :     Been standing here 15 min now. Three people ahead of us, one ordering five subs and four pizzas, lin
Après :     ['stand', 'people', 'order', 'sub', 'pizza', 'line', 'employee', 'guy', 'counter', 'make']

Avant :     Went over to Subway last evening their were 2 employees in the store the guy was just standing their
Après :     ['subway', 'evening', 'employee', 'store', 'guy', 'stand', 'waz', 'tbe', 'work', 'restroom']

Avant :     Disrespectful & ungrateful managers. They gave me the wrong order (veg lomein; w/o tufu instead of w
Après :     ['manager', 'give', 'order', 'veg', 'lomein', 'notice', 'home', 'call', 'tell', 'make']

Avant :     I had the worst chinese of my life here. That says a lot considering I have had chinese food in plac
Après :     ['life', 'say', 'lot', 'consider', 'food', 'place', 'upstate', 'end_throw', 'know', 'give']

Avant :     I really wanted to love this place and was so very disappointed.  The room was freezing and there wa
Après :     ['want', 'love', 'place', 'room', 'freeze', 'couple', 'end', 'move', 'seat', 'food']

Avant :     Pro's:
Video games
Sports on TV's (when the owner is around)
Batting cages
cold beer
cheap prices
50
Après :     ['video', 'game', 'sport', 'tv', 'owner', 'bat', 'cage', 'beer', 'price', 'chance']

Avant :     When I received my to-go order, I asked for a couple cups of water and tomato sauce.  The cashier sa
Après :     ['receive', 'order', 'ask', 'couple', 'cup', 'tomato_sauce', 'cashier', 'say', 'need', 'take']

Avant :     I usually stay away from restaurants on piers since most are tourist traps but went to this one sinc
Après :     ['stay', 'restaurant', 'pier', 'tourist_trap', 'review', 'chowder', 'piece', 'clam', 'soup', 'review']

Avant :     First off the bathroom smell like dirty seafood which almost took away my appetite to start with we 
Après :     ['bathroom', 'smell', 'seafood', 'take', 'order', 'meat', 'king', 'crab', 'consider', 'pound']

Avant :     The food definitely did not live up to my expectations! The service was good despite the long wait a
Après :     ['food', 'live', 'expectation', 'service', 'wait', 'crowd', 'food', 'eat', 'lobster', 'bisque']

Avant :     I'm a big fan of the food here but recently noticed that they don't do a great job of washing their 
Après :     ['fan', 'food', 'notice', 'job', 'washing', 'beer', 'glass', 'see', 'bubble', 'stick']

Avant :     I was SO disappointed by this place! 

Normally I find places near the water to have fresh, albeit s
Après :     ['place', 'find', 'place', 'water', 'seafood', 'case', 'sea', 'price', 'inflate', 'seafood']

Avant :     I liked the place and  food, but i cant give more than one star cause the service was terrible. They
Après :     ['like', 'place', 'food', 'give_star', 'cause', 'service', 'server', 'name', 'gabriela', 'guest']

Avant :     Unfortunately we had a bad experience here...we actually ate outside on the "to go" portion of this 
Après :     ['experience', 'eat', 'portion', 'restaurant', 'know', 'put', 'care', 'order', 'taste', 'shrimp']

Avant :     I have to say that I'm very disappointed with this place. I used to come here back in the day and th
Après :     ['say', 'place', 'use', 'come', 'day', 'quality', 'food', 'way', 'know', 'happen']

Avant :     This is a favorite of mine and my mother's but I was terribly disappointed today, we stood there wai
Après :     ['mine', 'mother', 'today', 'stand', 'wait', 'help', 'window', 'man', 'stand', 'window']

Avant :     Ugh.....  What a waste of money. Had the crab sandwich. Very bland, seriously about 99% sure it come
Après :     ['waste_money', 'crab', 'sandwich', 'bland', 'come', 'think', 'crab', 'restaurant', 'crab', 'sandwich']

Avant :     My boyfriend and I went here on a Sunday night a little before dinner time. 

The host said it would
Après :     ['boyfriend', 'night', 'dinner', 'time', 'host', 'say', 'minute', 'wait', 'table', 'say']

Avant :     Booming business in a fun setting and location. Shrimp taco a big dissappointment. row of 3 medium s
Après :     ['boom', 'business', 'fun', 'set', 'location', 'shrimp', 'dissappointment', 'row', 'medium', 'boil']

Avant :     End of pier. Free 90min parking on pier, $2.50 every hour after. Not a fan of the food, everything b
Après :     ['end', 'pier', 'min', 'parking', 'pier', 'hour', 'fan', 'food', 'think', 'sit']

Avant :     The Alaskan crab is way overpriced for it's size/taste and preparation. Oh and it's cold. You eat ag
Après :     ['overprice', 'size', 'taste', 'preparation', 'eat', 'restaurant', 'touristy', 'overprice', 'recommend']

Avant :     I tried the rock crab!  Sorry to say I was very disappointed!  I couldn't taste the natural flavor o
Après :     ['try', 'rock', 'crab', 'say', 'disappoint', 'taste', 'flavor', 'sea', 'bland', 'boil']

Avant :     Food sucks & so does the service. Blah.
Après :     ['food', 'suck', 'service']

Avant :     Not a smile the whole time. Mostly for asian tourists. Must be in some guide book. Food was not fill
Après :     ['smile', 'time', 'tourist', 'guide', 'book', 'food', 'fill']

Avant :     The good:
- Service is fantastic (friendly, competent, fast)
- View from the outside tables is wonde
Après :     ['service', 'view', 'table', 'table', 'fun', 'chowder', 'rest', 'food', 'price', 'food']

Avant :     Food looked good but never made it past the front door. They were so rude and cocky at the front doo
Après :     ['food', 'look', 'make', 'door', 'door', 'sit', 'eat', 'guy', 'place', 'food']

Avant :     Worst place ever. I order some tacos and my husband order some muscles calamari and more. The food w
Après :     ['place', 'order', 'husband', 'order', 'muscle', 'food', 'take', 'home', 'see', 'shirmp']

Avant :     Every  once in a while it's fun to play tourist in your own town. With that said, the $65 price for 
Après :     ['fun', 'play', 'tourist', 'town', 'say', 'price', 'couple', 'crab', 'melt', 'butter']

Avant :     Bottom line: 
-Over priced food
-Unprofessional staff
-dirty atmosphere

-Great view of the ocean 
-
Après :     ['line', 'price', 'food', 'staff', 'atmosphere', 'view', 'ocean', 'know', 'food', 'service']

Avant :     I was excited to try this place but I was disappointed. It's a tourist trap with food that's borderl
Après :     ['try', 'place', 'tourist_trap', 'food', 'borderline', 'side', 'pasta', 'crab_cake', 'side', 'order']

Avant :     We went there following the ratings here and we regretted. Expensive, plain food, kinda of a dive ba
Après :     ['follow', 'rating', 'regret', 'food', 'dive_bar', 'feeling', 'soup', 'taco', 'pasta', 'cook']

Avant :     Great service
Rock crab over cooked 
Looked good 
But 
Great soup and salad 
Bread good when u asked
Après :     ['service', 'rock', 'crab', 'cook', 'look', 'soup', 'salad', 'bread', 'good', 'ask']

Avant :     This casual seafood restaurant is situated in an atmospheric spot at the end of the pier in Santa Ba
Après :     ['seafood', 'restaurant', 'situate', 'spot', 'end', 'pier', 'recommend', 'acquaintance', 'disappoint', 'quality']

Avant :     I was so disappointed. Last time I was here the food was exquisite. Today I ordered the shrimp cevic
Après :     ['time', 'food', 'exquisite', 'today', 'order', 'shrimp', 'shrimp', 'miracle', 'tortilla', 'lobster']

Avant :     Good location on the Santa Barbara pier.  Being the shellfish company, I was expecting pretty good f
Après :     ['location', 'shellfish', 'company', 'expect', 'food', 'say', 'find', 'fry', 'oyster', 'rockefeller']

Avant :     We came here after checking the great reviews on Yelp, however the place did not meet the expectatio
Après :     ['come', 'check', 'review_yelp', 'place', 'meet_expectation', 'seafood', 'taste', 'scallop', 'take', 'taste']

Avant :     The place is situated picturesquely at the end of the wharf. Friday at 2:30pm there was a 25 min wai
Après :     ['place', 'situate', 'end', 'wharf', 'wait', 'seat', 'service', 'place', 'cramp', 'feel']

Avant :     We came here with confidence, giving the ratings on Yelp.... Big mistake! We had some crab cakes: ta
Après :     ['come', 'confidence', 'give', 'rating', 'yelp', 'crab_cake', 'tasteless', 'lobster', 'pasta', 'shrimp']

Avant :     So you know when you have a strong craving and you get to the place and they don't have what you wan
Après :     ['know', 'craving', 'place', 'want', 'starve', 'crave', 'breakfast', 'call', 'advance', 'min']

Avant :     I think this place has the most rude staff I've ever experienced starting with the bouncer with the 
Après :     ['think', 'place', 'staff', 'experience', 'start', 'bouncer', 'dreadlock', 'say', 'walk', 'seat']

Avant :     The service was painfully slow for food and drinks. They ran out of tortillas around 7 pm, so the me
Après :     ['service', 'food', 'drink', 'run', 'tortilla', 'menu', 'option_limit', 'taco', 'musician', 'singing']

Avant :     Slowest, rudest service ever. Every single time. I keep thinking it's just a bad day but it never ch
Après :     ['service', 'time', 'keep', 'think', 'day', 'change']

Avant :     This is by far one of the worst Wendy's I've ever visited. I live right down the road from this part
Après :     ['wendy', 'visit', 'road', 'location', 'give', 'opportunity', 'redemption', 'food', 'deliver', 'worth']

Avant :     If I could give half a star I would, I'm from Tx, and anyone that thinks this is BBQ, I am willing t
Après :     ['give_star', 'tx', 'think', 'apologize', 'lead_believe', 'order', 'sample', 'chicken', 'look', 'taste']

Avant :     I would give it zero stars if I could. The employees looked liked they hated their lives and did not
Après :     ['give_star', 'employee', 'look', 'like', 'hate', 'life', 'care', 'label', 'school_cafeteria', 'bbq']

Avant :     Marriott could care less about helping you.  Wow.  Love this hotel. Hate the mgmt 
Also. It's music 
Après :     ['marriott', 'care', 'help', 'love', 'hotel', 'hate', 'mgmt', 'music', 'city', 'hear']

Avant :     Overpriced and pretentious...this outfit charges 2x the normal price for everything.  Didn't try all
Après :     ['overprice', 'outfit', 'charge', 'price', 'try', 'restaurant', 'room', 'price', 'express', 'seem']

Avant :     This place is a joke. Always had been. Nickel and Dime you. I worked here for 10 years and was let g
Après :     ['place', 'joke', 'nickel', 'dime', 'work', 'year', 'let', 'flood', 'reason', 'employee']

Avant :     This hotel is HUGE.  This place is by no means a luxury hotel, but the prices for their restaurants 
Après :     ['hotel', 'place', 'mean', 'luxury', 'hotel', 'price', 'restaurant', 'room', 'layout', 'cause']

Avant :     What a mistake staying here.  First off, I know it is a giant place and all that, which was neat to 
Après :     ['mistake', 'stay', 'know', 'place', 'see', 'experience', 'travel', 'bit', 'room', 'involve']

Avant :     Nice hotel and gorgeous views with the plants, lights and fountains. It's a Marriott property but wi
Après :     ['hotel', 'view', 'plant', 'light', 'fountain', 'marriott', 'property', 'customer_service', 'line', 'breakfast']

Avant :     Poor customer service.  Oversold rooms and didn't have any available.  Very disappointed with their 
Après :     ['customer_service', 'oversell', 'room', 'lack', 'customer_service']

Avant :     For the price of the room we should of had better service and more perks. Free Wi-Fi would of been n
Après :     ['price', 'room', 'service', 'perk', 'block', 'hotspot', 'work', 'place', 'find']

Avant :     Never again will I be staying here. The room was dirty, it took an hour and 15 mins to get my car fr
Après :     ['stay', 'room', 'dirty', 'take', 'hour', 'min', 'car', 'valet', 'charge', 'room']

Avant :     The staff at the spa are incredibly friendly and professional, but the rest of the staff are sub-par
Après :     ['staff', 'spa', 'rest', 'staff', 'sub_par', 'think', 'provide', 'customer_service', 'lose', 'room']

Avant :     horrible housekeeping, concierge, restaurant service!! do not stay here if you value respect or cust
Après :     ['housekeeping', 'concierge', 'restaurant', 'service', 'stay', 'value', 'respect', 'customer_service']

Avant :     This hotel is very nice, but disappointing for a conference venue. All of the shops close early in t
Après :     ['hotel', 'conference', 'venue', 'shop', 'close', 'evening', 'expect', 'dinner', 'cocktail', 'restaurant']

Avant :     This place is not for families. Be prepared to spend 450-500 dollars in food for three days. 24 doll
Après :     ['place', 'family', 'prepare', 'spend_dollar', 'food', 'day', 'dollar', 'milk', 'cookie', 'food']

Avant :     this place reminds of camping. it is not a resort. we had a block of rooms reserved for 6 months and
Après :     ['place', 'remind', 'camping', 'resort', 'block', 'room', 'reserve', 'month', 'check', 'people']

Avant :     Terrible service. Check in was delayed by 2 hours. Took an hour to get the car out of valet after be
Après :     ['service', 'check', 'delay', 'hour', 'take', 'hour', 'car', 'valet', 'tell', 'min']

Avant :     So I do a lot of conventions Orlando Las Vegas Nashville seems to be the theme however I checked int
Après :     ['lot', 'convention', 'seem', 'theme', 'check', 'charge', 'bed', 'fix', 'change', 'lamp']

Avant :     Just recently stayed at the hotel. 

The staff was rude, inconsiderate and non-caring. The restauran
Après :     ['stay_hotel', 'staff', 'inconsiderate', 'restaurant', 'close', 'event', 'stay']

Avant :     This is our second Christmas visit.  We will not be returning.  On arrival it took 30 minutes for ea
Après :     ['visit', 'return', 'arrival', 'take', 'minute', 'person', 'check', 'line', 'day', 'try']

Avant :     What a huge disappointment. Note, we did not stay there but since we were traveling through Nashvill
Après :     ['disappointment', 'note', 'stay', 'travel', 'think', 'take', 'wife', 'dinner', 'watch', 'ncaa']

Avant :     It took me three phone calls to reservations (was disconnected twice) and then 24 minutes on the pho
Après :     ['take', 'phone', 'call', 'reservation', 'disconnect', 'minute', 'phone', 'reserve', 'suite', 'pity']

Avant :     Honestly, I'm severely underwhelmed. Don't get me wrong the hotel is huge, entertaining and with bea
Après :     ['underwhelme', 'hotel', 'atrium', 'walkway', 'overprice', 'room', 'food', 'drink', 'price', 'size']

Avant :     I don't write Yelp reviews generally because I feel like they unfairly categorize an establishment t
Après :     ['write', 'yelp_review', 'feel', 'categorize', 'establishment', 'experience', 'time', 'write_review', 'place', 'gaylord']

Avant :     They care more about waterfalls than people.  Stood standing in my room on the phone waiting for som
Après :     ['care', 'waterfall', 'people', 'stand', 'stand', 'room', 'phone', 'wait', 'pick', 'order']

Avant :     3 pools, acres of indoor gardens, 20+ restaurants, 1 PLACE to GET COFFEE!!!   And a line of 30 peopl
Après :     ['pool', 'acre', 'garden', 'restaurant', 'place', 'coffee', 'line', 'people', 'wait', 'come']

Avant :     Atrium area was very nice and decent restaurants. However, people at customer service were not helpf
Après :     ['area', 'restaurant', 'people', 'customer_service', 'marketing', 'room', 'pay', 'suite', 'give', 'room']

Avant :     This place is the worst marriott I have ever stayed in, and I am a Platinum member. Total rip off ev
Après :     ['place', 'marriott', 'stay', 'platinum', 'member', 'total', 'rip', 'time', 'turn', 'call']

Avant :     Waaaaay too huge.  It takes forever to walk to your room or a really overpriced restaurant.  The sta
Après :     ['take', 'walk', 'room', 'overprice', 'restaurant', 'staff', 'place', 'drive', 'nut']

Avant :     So, I've been waiting over a month now for that refund and haven't gotten it and they're not respond
Après :     ['waiting', 'month', 'refund', 'respond', 'clinch', 'thank', 'promise', 'solution', 'problem', 'follow']

Avant :     Absolute Worst Hotel I've ever come across! Booked a room 3-4 months in advance for a convention and
Après :     ['hotel', 'come', 'book', 'room', 'month', 'convention', 'trade', 'show', 'attend', 'arrive']

Avant :     If you are interested in overeating and waiting in long lines to do it, this is the place for you!  
Après :     ['overeating', 'wait_line', 'place', 'joke', 'cater', 'crowd', 'shape', 'dining', 'option', 'side']

Avant :     I booked a room a couple of months ago. We arrived there today, travelling from NJ and were turned a
Après :     ['book', 'room', 'couple_month', 'arrive', 'today', 'travel', 'turn', 'clerk', 'front', 'desk']

Avant :     Opryland Resort was listed as a top thing to do in Nashville so we decided to go. I had heard that t
Après :     ['opryland', 'resort', 'list', 'thing', 'decide', 'hear', 'ground', 'plant', 'specie', 'hotel']

Avant :     We are here for a conference on a Wednesday and all but 2 quick food places are closed. The lines ar
Après :     ['food', 'place', 'close', 'line', 'hour']

Avant :     This hotel is by far the worst hotel I've stayed at my life
I travel at least twice a month mostly o
Après :     ['hotel', 'hotel', 'stay', 'life', 'travel', 'month', 'business', 'trip', 'want', 'start']

Avant :     Marriott platinum member. This was one of the worst stays ever. Here for 4 nights for a meeting. Fro
Après :     ['member', 'stay', 'night', 'meeting', 'desk', 'treat', 'room', 'give_star', 'treat', 'platinum']

Avant :     Just attempted to check in to a room I reserved 3 months ago to find out they gave the room to "more
Après :     ['attempt', 'check', 'room', 'reserve', 'month', 'find', 'give', 'room', 'guest', 'accommodate']

Avant :     Stayed here for three full days in December and I will start with the food:
Place is beautiful and v
Après :     ['stay', 'day', 'start', 'food', 'place', 'place', 'walk', 'mike', 'reach', 'room']

Avant :     Stayed at hotel for conference. Customer service is really lacking. Waited in a long line to check i
Après :     ['stay_hotel', 'conference', 'customer_service', 'lack', 'wait_line', 'check', 'people', 'register', 'guest', 'clerk']

Avant :     The hotel is beautiful, but some of the people working in the stores were very rude and not service 
Après :     ['hotel', 'people_work', 'store', 'rude', 'service', 'orient', 'room', 'service', 'arrive', 'time']

Avant :     Take everything that sucks about San Antonio (Riverwalk, bad restaurants, tourist overload, smells) 
Après :     ['take', 'suck', 'riverwalk', 'restaurant', 'tourist', 'overload', 'smell', 'put', 'glass']

Avant :     So far 45 minutes in valet line to check in and still 2 cars back. So, not worth a dime in my book.

Après :     ['minute', 'valet', 'line', 'check', 'car', 'dime', 'book', 'update', 'morning', 'wait_minute']

Avant :     Came for few days for conference. I would never voluntarily stay here. Basically the quality of a ho
Après :     ['come', 'day', 'conference', 'stay', 'holiday', 'inn', 'garden', 'food', 'quality', 'expect']

Avant :     Really bad - stay away! Pretty much a zoo of a hotel. If you want to pay too much and have a difficu
Après :     ['stay', 'zoo', 'hotel', 'want', 'pay', 'stay', 'bit', 'hotel', 'love']

Avant :     A few things related to lack of service were frustrating. What finished it was we checked in at Casc
Après :     ['thing', 'relate', 'lack', 'service', 'finish', 'check', 'cascade', 'put', 'show', 'desk']

Avant :     We were there for a family dinner last Sunday and we had to be guided over to where the dinner was a
Après :     ['family', 'dinner', 'guide', 'dinner', 'place', 'parking', 'start', 'parking_lot', 'maze', 'food']

Avant :     Poor customer service and phone etiquette by some of the staff, Sig delays in responding to phone ca
Après :     ['customer_service', 'phone', 'etiquette', 'staff', 'sig', 'delay', 'respond', 'phone', 'call', 'bang']

Avant :     Trying to use my "no black out dates" Marriott Elite rewards points...no rooms available.
Not using 
Après :     ['try', 'use', 'date', 'marriott', 'reward', 'point', 'room', 'use', 'reward', 'point']

Avant :     The views are stunning.  The restaurants within it are mediocre at best.  The boat tour is a canned 
Après :     ['view', 'restaurant', 'boat', 'tour', 'tape', 'loop', 'loop']

Avant :     Old, outdated, terrible service, shall I go on? This hotel charges a premium for rooms and banks on 
Après :     ['service', 'hotel', 'charge', 'premium', 'room', 'bank', 'fact', 'convention', 'choice', 'recommend']

Avant :     So I went here with my boyfriend on a Friday night to look at lights. We basically parked and were i
Après :     ['boyfriend', 'night', 'look', 'light', 'park', 'hour', 'parking', 'cost', 'tax', 'price']

Avant :     Gave two stars because of the appearance of the hotel.. It is amazing. But that is where it stops. I
Après :     ['give_star', 'appearance', 'hotel', 'stop', 'judge', 'hotel', 'helpfulness', 'attitude', 'staff', 'staff']

Avant :     Spent New Years here
I was very disappointed. When we checked in no one could help us find our room.
Après :     ['spend', 'year', 'disappoint', 'check', 'help', 'find', 'room', 'ask', 'people_work', 'hotel']

Avant :     This weird biosphere is full of 50-60 year old folks with their kids. And littered with weird restau
Après :     ['year', 'folk', 'kid', 'litter', 'restaurant', 'cater', 'people', 'downtown', 'part', 'night']

Avant :     This Resort Hotel was slightly disappointing. While beautiful, there were definitely some flaws. The
Après :     ['resort', 'hotel', 'flaw', 'thanksgive', 'buffet', 'ravello', 'price', 'food', 'mediocre', 'bite']

Avant :     Stopped here for dinner after wanting to try them for a while. We ordered ribs, chicken, mac and che
Après :     ['stop', 'dinner', 'want', 'try', 'order', 'cheese', 'bean', 'side', 'sauce', 'dry']

Avant :     I used to love this place until the last time. I got food poisoning. I went to the mall right after 
Après :     ['use_love', 'place', 'time', 'food_poisoning', 'mall', 'hour']

Avant :     The food here is ok, because the dipping sauce does not taste like the sauce in JP. The dish "seafoo
Après :     ['food', 'dip', 'sauce', 'taste', 'sauce']

Avant :     Tried their #.  It's disconnected.

Google is showing that business is closed.

http://maps.google.c
Après :     ['try', 'show', 'business', 'close', 'http', 'map', 'com', 'map', 'mozilla', 'client']

Avant :     When I ordered my pizza for me and my friends , he pizza was so small and this delivery girl took fo
Après :     ['order', 'pizza', 'friend', 'pizza', 'delivery', 'girl', 'take', 'want', 'give', 'change']

Avant :     Delivered super fast but everything else sucked. The pizza and cheesy bread was not cooked all the w
Après :     ['deliver', 'suck', 'pizza', 'cheesy', 'bread', 'cook', 'way', 'forgot', 'dip', 'call']

Avant :     When someone asks for an order to be there at a specific time you shouldn't be halfway there 15 mins
Après :     ['ask', 'order', 'time', 'halfway', 'min', 'time']

Avant :     If I can could give this a no stars I would. I'm not from around here so I decided to order one medi
Après :     ['give_star', 'decide', 'order', 'pizza', 'pick', 'person', 'answer_phone', 'deliver', 'stay', 'say']

Avant :     wow good food but    lousy service,counter people rude and delivery is the worst.then they lie to yo
Après :     ['food', 'service', 'counter', 'people', 'delivery', 'lie']

Avant :     If you can't come to work with pride and energy and enthusiasm then don't work at a McDonald's where
Après :     ['come', 'work', 'pride', 'energy', 'enthusiasm', 'work', 'mcdonald', 'people', 'hurry', 'disappoint']

Avant :     Not the greatest fast food place to hit at night.

I was driving through one night and had to stop a
Après :     ['food', 'place', 'hit', 'night', 'drive', 'night', 'stop', 'use_restroom', 'food', 'employee']

Avant :     I almost committed suicide at this McDonald's it was so bad, can't believe I am even writing a yelp 
Après :     ['suicide', 'mcdonald', 'believe', 'write', 'yelp_review', 'mcdonald']

Avant :     Could be the worst McDonalds that I have ever been to, service wise.  I waited in drive thru for ove
Après :     ['mcdonald', 'service', 'wait', 'drive', 'minute', 'move', 'people', 'line', 'take', 'order']

Avant :     These people are rude and slow. I've called to complain to the manager who could care less. Burn or 
Après :     ['people', 'rude', 'call_complain', 'manager', 'care', 'burn', 'money', 'sake', 'eat']

Avant :     Avoid this place at all times! It's always slow, things are always broke down-- jus awful.
Après :     ['avoid', 'place', 'time', 'slow', 'thing', 'break']

Avant :     Where to begin, a $ 7 tip was added to my bill prior to Svc rendered. Shouldn't that be my choice. I
Après :     ['begin', 'tip', 'add', 'bill', 'svc', 'render', 'choice', 'gratuity', 'order', 'take']

Avant :     Horrible food, undercooked sushi rice, pretty much bad everything. Don't waste your time or money
Après :     ['food', 'undercooke', 'rice', 'waste_time', 'money']

Avant :     I honestly don't think I could ever go back. I feel bad and I bet they are hard working people, but 
Après :     ['think', 'back', 'feel', 'bet', 'work', 'people', 'place', 'look', 'trust', 'food']

Avant :     Just horrible, horrible food.  My wife and I wanted to try a new place out for Chinese but this was 
Après :     ['food', 'wife', 'want', 'try', 'place', 'nightmare', 'location', 'find', 'shopping', 'find']

Avant :     I went there once years ago
I believe I cut my order down when the employee went from picking up tra
Après :     ['year', 'believe', 'cut', 'order', 'employee', 'pick', 'trash', 'pick', 'bagel', 'glove']

Avant :     Quick service, but very disappointed by the bagels. Nothing great at all, can probably get better qu
Après :     ['service', 'bagel', 'quality', 'bagel', 'grocery_store']

Avant :     The vegtable cream cheese was good.. Large chunks of real crunchy vegtables, but the bagel was every
Après :     ['cream_cheese', 'chunk', 'vegtable', 'consider', 'guess', 'place']

Avant :     The bagels were ok, nothing worth raving about.  But Poor customer service in my opinion and a $10 c
Après :     ['bagel', 'ok', 'rave', 'customer_service', 'opinion', 'credit_card', 'minimum', 'drive', 'bit', 'smile']

Avant :     Not the greatest experience:( Defn a disappointment. The donut holes were honestly way over cooked. 
Après :     ['experience', 'defn', 'disappointment', 'hole', 'way', 'cook', 'coffee', 'cup', 'dirty', 'back']

Avant :     Ok so I am very precise about my food and COFFEE!!!

The reason I gave it a star:

1- service very v
Après :     ['food', 'coffee', 'reason', 'give_star', 'service', 'coffee', 'taste', 'tell', 'salt', 'coffee']

Avant :     My fiancé and I waited twenty minutes to be served. We walked out , while everyone around us got ser
Après :     ['fiance', 'wait_minute', 'serve', 'walk', 'serve', 'beverage', 'guess']

Avant :     I waited with my 3 and 2 year old for 20 min, and repeated told several staff we can be seated in a 
Après :     ['wait', 'year', 'min', 'repeat', 'tell', 'staff', 'seat', 'person', 'table', 'year']

Avant :     Started off on the wrong foot with a coupon problem. The food was good but the raw chicken touched t
Après :     ['start', 'foot', 'coupon', 'problem', 'food', 'chicken', 'touch', 'vegetable', 'use', 'touch']

Avant :     Disgusting! Horrible! Service rushed. Stay away!
Mislead by the reviews...rather unfortunate to say 
Après :     ['service', 'rush', 'stay', 'mislead', 'review', 'say', 'yuck']

Avant :     Be sure and check your bill closely at Tomo's. We ate there recently and as I was clearing out recei
Après :     ['check', 'bill', 'tomo', 'eat', 'clear', 'receipt', 'billfold', 'pull', 'tomo', 'find']

Avant :     Be sure and check your bill closely at Tomo's. We ate there recently and as I was clearing out recei
Après :     ['check', 'bill', 'tomo', 'eat', 'clear', 'receipt', 'billfold', 'pull', 'tomo', 'find']

Avant :     I have ordered from here a handful of times since moving to this city.  Previously the customer serv
Après :     ['order', 'time', 'move', 'city', 'customer_service', 'make', 'order', 'specialty_roll', 'experience', 'roll']

Avant :     HORRIBLE!!!!!!!  Stay away...  Food was not good.  They kick you out of the bar on Sunday's for Pitt
Après :     ['stay', 'food', 'kick', 'fan', 'arrive', 'hour', 'game', 'start', 'waitress', 'take']

Avant :     This place smelled like a gym and was incredibly dirty.  Layers of fuzz on the counter where you fix
Après :     ['place', 'smell', 'gym', 'layer', 'fuzz', 'counter', 'fix', 'coffee', 'floor', 'look']

Avant :     Extensive menu and they were pretty busy for a weeknight.  They have a nice private roomFor use and 
Après :     ['menu', 'roomfor', 'use', 'lot', 'sport', 'decor', 'expect', 'location', 'work', 'sport_bar']

Avant :     Just left Lee Roy Selmons.  How disappointing.  I got the baby back ribs which were dry and very tou
Après :     ['leave', 'selmon', 'baby', 'rib', 'dry']

Avant :     It's a bar.  The fact not too many people know about this place and I think it adds to it's mystique
Après :     ['bar', 'fact', 'people', 'know', 'place', 'think', 'add', 'mystique', 'enter', 'find']

Avant :     We have been coming here for a couple of years.. but the last three things at this location things h
Après :     ['come', 'couple', 'year', 'last', 'thing', 'location', 'thing', 'come', 'week', 'greet']

Avant :     This has been an awful experience. We walked in around 1:30 pm and we waited for our drinks for 40 m
Après :     ['experience', 'walk', 'wait', 'drink', 'minute', 'remind', 'waiter', 'time', 'half', 'table']

Avant :     Skip this review if you can eat real pizza.  Gluten-free (GF) pizza is a bit of an oxymoron.  I get 
Après :     ['skip', 'review', 'eat', 'pizza', 'gluten', 'gf', 'pizza', 'bit', 'oxymoron', 'pizza']

Avant :     Eh. The service was slow with the restaurant only half filled. Spinach and artichoke dip was kind of
Après :     ['service', 'restaurant', 'fill', 'spinach_artichoke', 'dip', 'serve', 'warm', 'toast', 'toast', 'pizza']

Avant :     I didn't know this place closed at 11 on sat. Night bc Yelp says midnight. It's either they are javk
Après :     ['know', 'place', 'close', 'say', 'midnight', 'javkasse', 'yelp', 'info']

Avant :     Cashier was very rude fat Hispanic girl at the airport location. Very very rude. Half the menu wasn'
Après :     ['girl', 'airport', 'location', 'rude', 'half', 'menu']

Avant :     The girl that was working Saturday afternoon of July 22nd was rudeeeeee!!! It was pretty good coffee
Après :     ['girl', 'work', 'rudeeeeee', 'coffee', 'wish', 'service']

Avant :     I wish I could give this place a 0. If you have any food allergies to items listed on their sandwich
Après :     ['wish', 'give', 'place', 'food', 'allergy', 'item', 'list', 'sandwich', 'visit', 'location']

Avant :     Worst service I've ever received!! Our server was so focused about impressing her boyfriend (I assum
Après :     ['service', 'receive', 'server', 'focus', 'impress', 'boyfriend', 'assume', 'sit', 'use', 'container']

Avant :     They just don't stack up to the other breakfast spots in town. 
You open their menu and everything i
Après :     ['breakfast', 'spot', 'town', 'menu', 'overprice', 'option', 'feel', 'stomach', 'price', 'people']

Avant :     This place was the worst, the food was bland and tasteless, they give you like 3 pounds of hash brow
Après :     ['place', 'food', 'bland', 'tasteless', 'give', 'pound', 'hash_brown', 'cook', 'mention', 'thing']

Avant :     Came here for lunch today - sat down and got our menus - then waited and waited and waited - spent q
Après :     ['come', 'lunch_today', 'sit', 'menu', 'wait', 'wait', 'wait', 'spend', 'bit', 'lunch_break']

Avant :     The food is great but the service is SO BAD it makes me never want to come back! It's been getting w
Après :     ['food', 'service', 'make', 'want', 'come', 'tip', 'performance', 'server', 'minimum', 'seem_care']

Avant :     Terrible service! :-( The waiters couldn't recommend anything from the menu. Just pick a number he s
Après :     ['service', 'waiter', 'recommend', 'pick', 'number', 'say', 'friend', 'come', 'serve', 'fry']

Avant :     The reason I came here was because I drop my car in the body shop next door. Service is way too slow
Après :     ['reason', 'come', 'drop', 'car', 'body', 'shop', 'door', 'service', 'way', 'wait']

Avant :     I have to rate this place 2 stars because the only thing good here is the food. If I was you I would
Après :     ['rate', 'place', 'star', 'thing', 'food', 'visit', 'area', 'recommend', 'business', 'hire']

Avant :     If i could give this place 0 stars I would. I've tried this place 3 times but never again. They have
Après :     ['give', 'place', 'star', 'try', 'place', 'time', 'attitude', 'seat', 'ask', 'serve']

Avant :     So, yesterday I decided to go this restaurant that people have been mentioning about for a while now
Après :     ['yesterday', 'decide', 'restaurant', 'people', 'mention', 'walk_door', 'table', 'buy', 'thing', 'walk']

Avant :     Horrible service. Server was rude, she never came back to check on us after dropping off the food. W
Après :     ['service', 'server', 'rude', 'come', 'check', 'drop', 'food', 'find', 'employee', 'run']

Avant :     OLD FISH beware the five dollar rolls after 10 they're using unrefrigerated fish, straight outta pre
Après :     ['fish', 'beware', 'dollar', 'roll', 'use', 'fish', 'prep', 'cook', 'bin']

Avant :     edamame was overcooked, and not seasoned. My spider roll tasted old and was made poorly
Après :     ['edamame', 'spider_roll', 'taste', 'make']

Avant :     The sushi here is amazing! Tonight was the second time I've eaten here. Although the food is great, 
Après :     ['tonight', 'time', 'eat', 'food', 'staff', 'time', 'waiter', 'introduce', 'name', 'attentive']

Avant :     If you are looking for a cheap sushi place to eat I suggest only going for lunch or dinner. A couple
Après :     ['look', 'eat', 'suggest', 'lunch', 'dinner', 'couple', 'friend', 'decide', 'try', 'place']

Avant :     They served me a frozen pizza and skunked beer.  'Nuff said.
Après :     ['serve', 'pizza', 'skunk', 'beer', 'say']

Avant :     I came here for a Sunday lunch. Didn't expect much, since it always seems touristy. If you want rehe
Après :     ['come', 'lunch', 'expect', 'seem', 'touristy', 'want', 'reheat', 'food', 'place', 'decor']

Avant :     Came here to sit out on the patio.  Unfortunately it looked like it was going to rain so we sat insi
Après :     ['come', 'sit', 'patio', 'look', 'rain', 'sit_bar', 'place', 'selection', 'beer', 'burger']

Avant :     It's a typical bar place. Nothing fancy mostly fried food.  The wait staff is a bit slow. The drinks
Après :     ['bar', 'place', 'fry', 'food', 'wait', 'staff', 'bit', 'drink', 'say', 'stooge']

Avant :     Great location and loved how it looked. Only problem was a terrible waitresses that didn't speak Eng
Après :     ['location', 'love', 'look', 'problem', 'waitress', 'speak', 'know', 'bring', 'drink', 'place']

Avant :     Bad, bad service, and if you expect the shrimp and crab dip to taste like shrimp and crab, forget ab
Après :     ['service', 'expect', 'crab', 'taste', 'shrimp', 'crab', 'forget']

Avant :     Came in on a Sunday it was very chill inside . The problem was with the menu. I couldn't decide betw
Après :     ['come', 'chill', 'problem', 'decide', 'wing', 'finger', 'ask', 'server', 'favorite', 'say']

Avant :     Had a Philly Cheese steak mid week, thinking it was going to be yummy. Instead, it was flavorless an
Après :     ['cheese_steak', 'week', 'thinking', 'flavorless', 'quality', 'bread', 'season', 'meat', 'give', 'bland']

Avant :     the food isn't bad, but the service is terrible. i've been there several times over the years, and t
Après :     ['food', 'service', 'time', 'year', 'service', 'suck']

Avant :     Waited 45 minutes for the food, nachos were stale, chicken was cold, burger was average at best, did
Après :     ['wait_minute', 'food', 'chicken', 'burger', 'average', 'see', 'waiter', 'halfway', 'meal', 'include']

Avant :     Stopped here to grab a bite to eat. It was recommended by a local. The lump crab cake on the salad I
Après :     ['stop', 'grab', 'bite', 'eat', 'recommend', 'lump', 'crab_cake', 'salad', 'order', 'understand']

Avant :     Literally worst dining experience.. 9.50 for a normal size drink not to mention our waitress made wh
Après :     ['dining_experience', 'size', 'drink', 'mention', 'waitress', 'make', 'hour', 'experience', 'hour', 'appetizer']

Avant :     Service sucks. Awful place. Don't ever go here. My waitress was rude also.
Après :     ['service', 'suck', 'place', 'waitress', 'rude']

Avant :     Pretty disappointing all around. 
They double charged my credit card. 
The Margaritas are not up to 
Après :     ['charge', 'credit_card', 'margarita', 'par', 'shoot', 'food', 'look', 'lunch', 'option', 'town']

Avant :     Avoid the very expensive margaritas that would you believe have very and I mean very little alcohol 
Après :     ['avoid', 'margarita', 'believe', 'mean', 'alcohol', 'name', 'place', 'say', 'employee', 'look']

Avant :     Seated upstairs next to the AC unit our table and chairs vibrated through dinner.. we order Margarit
Après :     ['seat', 'unit', 'table_chair', 'vibrate', 'dinner', 'order', 'margarita', 'mix', 'buzz', 'drink']

Avant :     I have no clue how this place has 4 stars. We went here because of the high reviews on Yelp and had 
Après :     ['place', 'star', 'review_yelp', 'experience', 'chicken_quesadilla', 'rice_bean', 'disaster', 'rice_bean', 'cook', 'week']

Avant :     The concierge at our hotel recommended this restaurant after we asked for a creole restaurant nearby
Après :     ['concierge', 'hotel', 'recommend', 'restaurant', 'ask', 'creole', 'restaurant', 'friend', 'fry', 'catfish']

Avant :     First off all the really good local restaurants are closed on Sunday nights so we ended up in the to
Après :     ['restaurant', 'close', 'night', 'end', 'tourist_trap', 'water', 'front', 'area', 'dinner', 'variety']

Avant :     Ugh, what a disappointment. My husband and I love creole, Cajun cooking and had such high hopes for 
Après :     ['disappointment', 'husband', 'love', 'creole', 'cajun', 'cook', 'hope', 'place', 'hear_thing', 'appetizer']

Avant :     Let me start off by saying I grew up eating here with my Grandmother every other Friday when it was 
Après :     ['let_start', 'say', 'grow', 'eat', 'grandmother', 'neighbourhood', 'dinner', 'crew', 'price', 'point']

Avant :     Slow, the food was so so. The gumbo was actually bad. I thought the fried shrimp were good but by th
Après :     ['food', 'gumbo', 'thought', 'fry', 'shrimp', 'time', 'come', 'table', 'want', 'hell']

Avant :     My boyfriend and I came here for a pre-concert dinner (House of Blues is right across the street). I
Après :     ['boyfriend', 'come', 'pre', 'concert', 'dinner', 'house', 'blue', 'street', 'order', 'shrimp']

Avant :     Nice place with attentive staff.  Food was overpriced, options were limited and not very good.  The 
Après :     ['place', 'staff', 'food', 'overprice', 'option_limit', 'shrimp', 'scampi', 'come', 'kind', 'sauce']

Avant :     Do not eat here. Do not waste your time or your hard earned money. Quite possibly the worst meal of 
Après :     ['eat', 'waste_time', 'earn_money', 'meal', 'trip', 'cornbread', 'microwave', 'bring', 'make']

Avant :     Worst restaurant ever. Potatoes and caviar looked great until I cut in and realized the potatoes wer
Après :     ['restaurant', 'potato', 'look', 'cut', 'realize', 'potato', 'middle', 'tell', 'server', 'take']

Avant :     Uninspired duck, oily pasta that needed salt, and a short by the glass wine list. Also, simply incom
Après :     ['duck', 'pasta', 'need', 'salt', 'glass_wine', 'list', 'service', 'tell', 'time', 'return']

Avant :     Avoid. Overly sassy service, overpriced everything, mediocre food, took over an hour to get food. So
Après :     ['avoid', 'service', 'overprice', 'food', 'take', 'hour', 'food', 'restaurant', 'price', 'experience']

Avant :     The only good thing about this place is they kept my water glass full. Definitely don't get the Caes
Après :     ['thing', 'place', 'keep', 'water_glass', 'take', 'bill']

Avant :     Extremely over priced. We are that the New Mexican place around the corner and got a margarita, dirt
Après :     ['price', 'place', 'corner', 'martini', 'beer', 'glass', 'table', 'beer']

Avant :     Did not like this place. The pastas were absolutely sub par! Over priced for the type of food. Will 
Après :     ['place', 'pasta', 'sub_par', 'price', 'type', 'food']

Avant :     Went to dinner tonight with my friend. I had the spinach salad and the meat and cheese plate. The se
Après :     ['dinner', 'tonight', 'friend', 'spinach', 'salad', 'meat', 'cheese', 'plate', 'service', 'waiter']

Avant :     We asked to have our salad, two pizzas and fish entree all brought together and my son's pizza came 
Après :     ['ask', 'salad', 'pizza', 'fish', 'bring', 'pizza', 'come', 'minute', 'item', 'eat']

Avant :     I ordered lunch here last week and they said it would be ready in 30 minutes so I came 30 minutes la
Après :     ['order', 'lunch', 'week', 'say', 'minute', 'come', 'minute', 'wait', 'run', 'serve']

Avant :     Was there to use a coupon, and wanted to try some of the unusual things on the menu. When I got ther
Après :     ['use', 'coupon', 'want', 'try', 'thing', 'menu', 'hole', 'rickety', 'table_chair', 'item']

Avant :     Oh my lord! This place just delivered my family uncooked pork in the lomien. I call them up, they sa
Après :     ['deliver', 'family', 'pork', 'call', 'say', 'make_mistake', 'say', 'refund_money', 'say', 'say']

Avant :     I've been going to Williams for 20 years and I think the subs are great, that's why I was so disappo
Après :     ['year', 'think', 'sub', 'hygiene', 'today', 'stop', 'month', 'work', 'today', 'woman']

Avant :     This is the most hipster juice place I've visited in mid TN.  The juices are made at an unknown time
Après :     ['juice', 'place', 'visit', 'juice', 'make', 'time', 'visit', 'millenial', 'drink', 'juice']

Avant :     30 minutes for corn bread, no signs for men's/women's restrooms, not a fan. Oh and the hush puppies 
Après :     ['minute', 'corn_bread', 'sign', 'man', 'woman', 'restroom', 'fan', 'puppy', 'dude', 'thumb']

Avant :     0.5 stars. 

On a truly sad day, an Indian friend and I (both of whom are from Tucson) decided we ha
Après :     ['star', 'friend', 'decide', 'restaurant', 'craving', 'satisfied', 'mom', 'cooking', 'walk', 'sher']

Avant :     $9 for buffet. 4 items I can eat as a veg. Buffet looked bland. Did not stay.

The reviews seem to a
Après :     ['item', 'eat', 'look', 'stay', 'review', 'seem', 'agree', 'nature', 'food', 'say']

Avant :     I'm eating vegetarian for navratri, and I figure what's a good place for vegetarian.. Indian!   How 
Après :     ['eat', 'figure', 'place', 'order', 'greasy', 'bland', 'paneer', 'tikka', 'pakoda', 'taste']

Avant :     I won't be going back.  The chips were shiny with oil, and not tasty.  The salsa was bland, and made
Après :     ['chip', 'oil', 'bland', 'make', 'tomato', 'entree', 'come', 'side', 'order', 'order']

Avant :     A foursome for dinner.
Ordered drinks, first time I have ever been served a margarita in a water gla
Après :     ['dinner', 'order', 'drink', 'time', 'serve', 'water_glass', 'order', 'salad', 'ask', 'bread']

Avant :     With all of the great restaurants in NOLA, there is no need to stop at this one.  The "crab cake nap
Après :     ['restaurant', 'need', 'stop', 'crab_cake', 'napoleon', 'crab_cake', 'slice', 'eggplant', 'crab_cake', 'sandwich']

Avant :     I went to join my mom's friends for their weekly lunch.  The restaurant is in a backwater strip mall
Après :     ['join', 'mom', 'friend', 'lunch', 'restaurant', 'backwater', 'mall', 'share', 'corn', 'meal']

Avant :     Give as much attention to my review that they gave me as a customer.
1.  Food sucks if you can even 
Après :     ['give', 'attention', 'review', 'give', 'customer', 'food', 'suck', 'order', 'service', 'suck']

Avant :     I am shocked at how horrible this establishment was. My family decided to come here for my dad's bir
Après :     ['shock', 'establishment', 'family', 'decide', 'come', 'birthday', 'wait_minute', 'server', 'minute', 'drink']

Avant :     Don't plan on getting any attention unless your in a group of 6 or more. Sat for 30 min. Told a serv
Après :     ['plan', 'attention', 'group', 'sit', 'tell', 'server', 'come', 'show', 'time', 'time']

Avant :     Very good beer selection but slow service and lousy food. It took too ing for the food to come to ou
Après :     ['beer_selection', 'service', 'food', 'take', 'food', 'come', 'table', 'hamburger', 'piece', 'meat']

Avant :     Pathetic service! Was there earlier on Sunday evening, was waiting outside on one of the tables for 
Après :     ['service', 'evening', 'wait', 'table', 'minute', 'waitress', 'waiter', 'come', 'keep', 'serve']

Avant :     This place might be ok for beer, but is not great for food. Slow service, cold food, and the childre
Après :     ['place', 'ok', 'beer', 'food', 'service', 'food', 'child', 'menu', 'kid', 'flavor']

Avant :     we were very disappointed with an appetizer we ordered. Felt like we got robbed and wasted our money
Après :     ['appetizer', 'order', 'feel', 'rob', 'waste_money', 'order', 'hummus', 'provide', 'chip', 'ask']

Avant :     The beer selection is hit or miss. I wish the happy hour was half off drafts or something of that na
Après :     ['beer_selection', 'hit', 'wish', 'hour_half', 'draft', 'nature', 'select', 'server', 'food', 'service']

Avant :     Waiter was totally rude and a Di**. Huge beer selection but waiter was slow and as noted a D*ic*
Après :     ['waiter', 'beer_selection', 'waiter', 'note']

Avant :     OK - here I am sitting at the bar along with 3 other customers and, it's lunch time. Where is our ba
Après :     ['sit_bar', 'customer', 'lunch', 'bartenderess', 'service', 'immerse', 'stop', 'texte', 'stop', 'clue']

Avant :     I know it's a steakhouse but seriously they could do a better job with the fish offerings. Mine was 
Après :     ['know', 'steakhouse', 'job', 'fish', 'offering', 'mine', 'adornment', 'half', 'content', 'fruit']

Avant :     Went last night for a private event. I was looking forward to it as I really love their rest. at Uni
Après :     ['night', 'event', 'look', 'love', 'rest', 'union', 'station', 'disappoint', 'believe', 'food']

Avant :     A big disappointment.  Of the 4 steak dinners ordered only one was cooked correctly. 3 of the steaks
Après :     ['disappointment', 'steak', 'dinner', 'order', 'cook', 'steak', 'side', 'dish', 'come', 'addition']

Avant :     They over cooked my steak medium well when I ordered itmedium rare.  They offered to fix it but I do
Après :     ['cook', 'steak', 'medium', 'order', 'itmedium', 'offer', 'fix', 'variety', 'reason', 'charge']

Avant :     I've been here twice now and neither meal was very good. My steak was not cooked to my order, dry, a
Après :     ['meal', 'steak', 'cook', 'order', 'crab', 'menu', 'run', 'lobster', 'chocolate_cake', 'end']

Avant :     3/4 steaks ordered were undercooked. Just not cooked attentively like a $40 steak deserves
Après :     ['steak', 'order', 'cook', 'steak', 'deserve']

Avant :     most of the food is good, but wheb it comes bad, you cannot stand.

I thought it was good until I go
Après :     ['food', 'wheb', 'come', 'stand', 'think', 'put', 'use', 'lemon', 'lemon', 'squeeze']

Avant :     Been coming in her (on occasion) for about 12 years. Food, fair. Service, usually acceptable. Today,
Après :     ['come', 'occasion', 'year', 'food', 'service', 'today', 'come', 'beer', 'work', 'involve']

Avant :     What the heck has happened to this place?? Use to be a reliable favorite but not any more.  Sat at t
Après :     ['happen', 'place', 'use', 'minute', 'acknowledge', 'wait', 'hear', 'complaint', 'regard', 'service']

Avant :     It was ok. Like another reviewer commented, you have to mention the happy hour menu and Taco Tuesday
Après :     ['reviewer', 'comment', 'mention', 'hour', 'menu', 'impress', 'friend', 'need', 'season', 'bland']

Avant :     I should have known it would be a bad experience from the beginning. The chips tasted stale and the 
Après :     ['know', 'experience', 'begin', 'chip', 'taste', 'salsa', 'taste', 'ketchup', 'lack_flavor', 'suggest']

Avant :     I was there when it was a wine and pizza bar and came back one more time as a taqueria...nope! Overp
Après :     ['wine', 'pizza', 'bar', 'come', 'time', 'overprice', 'atmosphere', 'menu', 'coke', 'rock']

Avant :     Way overpriced for overly seasoned and mediocre food. $14 for two chicken enchiladas...
Après :     ['way_overprice', 'food', 'chicken', 'enchilada']

Avant :     This place is highly overrated. How can you serve something in lunch for $14 and not taste good at a
Après :     ['place', 'serve', 'lunch', 'taste', 'wastage', 'time', 'money', 'try', 'recommend', 'deal']

Avant :     Disappointing.  With delicious other Mexican options close by, this place was overpriced and underwh
Après :     ['option', 'place', 'overprice', 'taco', 'combination', 'fry', 'chicken', 'kitschy', 'mix', 'match']

Avant :     Stopped by for quick work lunch, service was sub par and very slow despite a 1/2 full restaurant. It
Après :     ['stop', 'work', 'lunch', 'service', 'sub_par', 'restaurant', 'take_min', 'server', 'come', 'ask']

Avant :     A really very average Mexican strip mall restaurant.  On the plus side, it is bright and clean appea
Après :     ['side', 'appear', 'wait', 'problem', 'order', 'wrong', 'end', 'order', 'want', 'wait']

Avant :     Good food poor service. Hope it gets better. Only opened a week. New staff. I really hope it improve
Après :     ['food', 'service', 'hope', 'open', 'week', 'staff', 'hope', 'improve']

Avant :     Very friendly and accommodating staff.  The crust has no flavor, no crunch and is almost burnt on th
Après :     ['accommodate', 'staff', 'crust', 'burn', 'fact', 'burn', 'edge', 'leave', 'charcoal', 'taste']

Avant :     Arrived at 9:22pm to a sign that read "closed early...sorry management" during all star weekend/mard
Après :     ['arrive', 'sign', 'read', 'close', 'management', 'star', 'employee', 'come', 'door', 'say']

Avant :     They put about a teaspoon of cheese on my pizza. It was all sauce. I asked for more, so then there w
Après :     ['put', 'teaspoon', 'cheese', 'pizza', 'sauce', 'ask', 'teaspoon', 'cheese', 'pizza', 'credit']

Avant :     I don't believe that you can give this pizza a positive rating if you've ever had pizza before.

Sur
Après :     ['believe', 'give', 'pizza', 'rating', 'pizza', 'add', 'topping', 'wish', 'dough', 'hold']

Avant :     1st time visit after the remodeling which seemed to only be a Mexican motif on the walls. The menu r
Après :     ['visit', 'remodeling', 'seem', 'motif', 'wall', 'menu', 'retain', 'bar', 'food', 'burger']

Avant :     Slow service, no checks for water, did not honor check-in discount. The food was okay, nothing impre
Après :     ['service', 'check', 'water', 'honor', 'check', 'discount', 'food', 'price']

Avant :     This is by far the worst food I've ever had. If one wants to find out how you can screw up plain let
Après :     ['food', 'want', 'find', 'screw', 'lettuce', 'place', 'entree', 'preprepare', 'aramark', 'cater']

Avant :     I am staying at the Extended Stay while working the Sandy storm ( I am an adjuster) and was told Bax
Après :     ['stay', 'stay', 'work', 'storm', 'adjuster', 'tell', 'baxter', 'place', 'eat', 'order']

Avant :     Go to Miller's Ale House down the street instead. It blows Brewster's out of the water. Better speci
Après :     ['blow', 'brewster', 'water', 'special', 'music', 'bar', 'crowd', 'place', 'slide']

Avant :     They use to be great there.  And the staff was too.  Now they jokers and the manager there doesn't s
Après :     ['use', 'staff', 'joker', 'manager', 'seem', 'fiance', 'use', 'eat', 'time']

Avant :     Complete fail. Total rip off artists and shady business dealings. The clerk harassed me and threaten
Après :     ['rip', 'artist', 'business', 'dealing', 'clerk', 'harass', 'time', 'contact', 'authority', 'star']

Avant :     Drunk. Hungry. And upset. 

On a piece of paper that they taped to their bullet proof glass (classy)
Après :     ['piece_paper', 'tape', 'bullet', 'proof', 'glass', 'classy', 'say', 'drumstick', 'fry', 'request']

Avant :     Pita Pit is one of those places that you crave about once a year, and after obtaining the food that 
Après :     ['place', 'crave', 'year', 'obtain', 'food', 'craving', 'day', 'realize', 'eat', 'pita']

Avant :     So my favourite Indian in St Louis is still Spice and Grill on Olive, Husband said lets have a chang
Après :     ['spice', 'olive', 'husband', 'say', 'let', 'change', 'try', 'india', 'order', 'portion']

Avant :     I had to check if the place I'm reviewing is the same place I had been to and I'm sure it is. The ex
Après :     ['check', 'place', 'review', 'place', 'experience', 'weekend', 'kitchen', 'review', 'food', 'bland']

Avant :     Worst food ever. Very bland, tasteless,buffet actually made me sick. Not even close to Indian food n
Après :     ['food', 'bland', 'buffet', 'make', 'food', 'item', 'naan', 'cholae', 'tandoori', 'waste_money']

Avant :     Snooty, noisy and expensive. Food is ok and location is good but the staff are snobs ( hard to fatho
Après :     ['snooty', 'food', 'location', 'staff', 'snob', 'acoustic', 'make', 'veld', 'noise']

Avant :     Lovely setting. Gorgeous really!  Great drinks. 
$32 for 4 scallops on a puddle of red cabbage.  Not
Après :     ['set', 'drink', 'scallop', 'puddle', 'worth', 'want', 'run', 'scream', 'place', 'victoria']

Avant :     Came here for brunch - had an omlette ($19 + tax and tip = $26). Food was wayyyyyyy over-salted, and
Après :     ['come', 'brunch', 'omlette', 'tax', 'tip', 'food', 'wayyyyyyy', 'salt', 'way_overprice', 'atmosphere']

Avant :     Out of town for the month and was craving a pizza. I was staying at the Hilton Garden Inn near the a
Après :     ['month', 'craving', 'pizza', 'stay', 'garden', 'airport', 'call', 'papa', 'deliver', 'pizza']

Avant :     Not impressed, went here for dinner based on the awesome reviews, wont be going back. Coconut shrimp
Après :     ['dinner', 'base_review', 'coconut', 'shrimp', 'fry', 'crab_cake', 'burn', 'appetizer', 'take', 'come']

Avant :     Not a fan. Italian food is pretty straight forward. I get trying to come up with something new but t
Après :     ['fan', 'food', 'try', 'come', 'swing', 'miss', 'portion', 'expect', 'restaurant', 'look']

Avant :     I have been hearing a lot of great things about the appetizers.  We ate there tonight and I ordered 
Après :     ['hear', 'lot', 'thing', 'appetizer', 'eat', 'tonight', 'order', 'disappointment', 'look', 'piece_chicken']

Avant :     If you have any reaction to gluten or any other allergy, I wouldn't bother with this place. Despite 
Après :     ['reaction', 'gluten', 'allergy', 'bother', 'place', 'menu', 'state', 'thing', 'gluten', 'ask']

Avant :     So I love their pasta bread bowls-  and they have never messed up my order- but they DONT deliver to
Après :     ['love', 'pasta', 'bread', 'bowl', 'mess', 'order', 'deliver', 'address', 'beach', 'area']

Avant :     I wish I had taken a photo of my Southern Fiesta pizza. It was the most loveless, topping-less, dry 
Après :     ['wish', 'take', 'photo', 'pizza', 'loveless', 'top', 'pizza', 'see', 'microwave', 'pizza']

Avant :     This place is atrocious. The food made me sick. My boyfriend and I got the sushi for two and nothing
Après :     ['place', 'food', 'make', 'boyfriend', 'service', 'guy', 'refuse', 'split_check', 'fil', 'come']

Avant :     I couldn't find a single thing that was worth a second bite. All bland or tasted funny. Didn't look 
Après :     ['find', 'thing', 'bite', 'bland', 'taste', 'look', 'kidding', 'review']

Avant :     I asked him how fresh the Ikura was... and with all smiles yes yes yes I said please tell me it's no
Après :     ['ask', 'smile', 'say', 'tell', 'order', 'opening', 'believe', 'sell', 'restaurant', 'spend']

Avant :     Absolutely terrible food, bad management,  My wife and I eat there about every other month and it's 
Après :     ['food', 'management', 'wife', 'eat', 'month', 'tonight', 'throw', 'dinner', 'call', 'speak_manager']

Avant :     This place is always packed! I expected the best.  When I stepped out of my car it smelled soooo goo
Après :     ['place', 'pack', 'expect', 'step', 'car', 'smell', 'goood', 'shrimp', 'corn', 'potato']

Avant :     Do not get the crawfish. They are so freaking spicy. It's not even pleasurable. I was born and raise
Après :     ['freak', 'spicy', 'bear', 'raise', 'crawfish', 'life', 'trust', 'borderline', 'torture', 'wasabi']

Avant :     Extremely disappointed with the crawfish here.  I think they use the same water when doing new boils
Après :     ['crawfish', 'think', 'use', 'water', 'boil', 'flavor', 'thing', 'size', 'give', 'want']

Avant :     Decent pizza. Not customer service oriented. Have had some pretty horrible experiences. Late deliver
Après :     ['pizza', 'customer_service', 'orient', 'experience', 'delivery', 'rude', 'manager', 'billing', 'refuse', 'make']

Avant :     Went here last night for their taco Tuesday special of .99¢ tacos. The chips they served with the sa
Après :     ['night', 'taco', 'chip', 'serve', 'order', 'ice_tea', 'day', 'start', 'order', 'ask']

Avant :     We made reservations, and were seated upstairs about a foot from the band at a table that seemed mor
Après :     ['make_reservation', 'seat', 'foot', 'band', 'table', 'seem', 'bar', 'table', 'sit', 'service']

Avant :     Never have I had such over cooked seafood, one of the worst temperature cooked scallops and octopus 
Après :     ['cook', 'seafood', 'temperature', 'cook', 'scallop', 'octopus', 'romesco', 'scallop', 'ruin', 'fact']

Avant :     Went with a party of 8.  Food was good.  Service was a disgrace.  Arrived at 830, main course didn't
Après :     ['party', 'food', 'service', 'disgrace', 'arrive', 'course', 'arrive', 'waiter', 'set', 'table']

Avant :     This review is for the downstairs bar, drinks, and service. The place was not crowded, yet the barte
Après :     ['review', 'bar', 'drink', 'service', 'place', 'crowd', 'bartender', 'act', 'bother', 'make']

Avant :     very disappointed in the food...so let down i can't think of anything else to say
Après :     ['food', 'let', 'think', 'say']

Avant :     If I could give it no stars, I would. The worst, most favorless meal ever. While they were semi-apol
Après :     ['give_star', 'favorless', 'meal', 'make', 'food']

Avant :     Asked the bartender if I can taste a beer, and he says, "No, it's too expensive." Why go to an upsca
Après :     ['ask', 'bartender', 'taste', 'beer', 'say', 'place', 'treat']

Avant :     This is purely a review for the drinks and service. A group of us went on a Saturday night after an 
Après :     ['review', 'drink', 'service', 'group', 'night', 'event', 'group', 'manager', 'try', 'accommodate']

Avant :     We had reservations for a large group for brunch and they were completely unprepared to serve us.  T
Après :     ['reservation', 'group', 'brunch', 'serve', 'food', 'take', 'hour', 'order', 'wrong', 'arrive']

Avant :     Nice place. Loved the music that was playing upstairs. I think it's a good place for drinks and appe
Après :     ['place', 'love', 'music_play', 'think', 'place', 'drink', 'appetizer', 'dinner', 'spot', 'pick']

Avant :     Not great service. I am fairly certain my salad was never put in because it came out way later than 
Après :     ['service', 'salad', 'put', 'come', 'way', 'entree', 'ask', 'server', 'minute', 'ask']

Avant :     What happened to you, Mac and cheese? I've been coming here for years and this year it has changed. 
Après :     ['happen', 'cheese', 'come', 'year', 'year', 'change', 'use_love', 'thyme', 'drink', 'city']

Avant :     This place used to be great.  second time in a row that the fried rice was dry, the egg rolls were b
Après :     ['place', 'use', 'time', 'row', 'fry_rice', 'egg_roll', 'burn', 'stalk', 'crab', 'crab']

Avant :     I tried this place based on the yelp reviews, and was underwhelmed by the experience. By no means ho
Après :     ['try', 'place', 'base_yelp', 'review', 'underwhelme', 'experience', 'mean', 'rote', 'take', 'service']

Avant :     This Mcdonalds has poor management. Went there once and they informed us they were out of straws. An
Après :     ['mcdonald', 'management', 'inform', 'straw', 'time', 'shake', 'shake', 'know', 'week', 'take']

Avant :     Food was cold and the ice Carmel mocha was just coffee with ice not to mention they shorted me 2 dol
Après :     ['food', 'mocha', 'coffee', 'dollar', 'change', 'mc']

Avant :     I come here every year on my annual road trips to Florida because gas is cheap at the Flying J, and 
Après :     ['come', 'year', 'road_trip', 'gas', 'fly', 'amaze', 'time', 'come', 'take', 'mcdonald']

Avant :     Nicely located, good sausage but that's about the positive...No personality, coffee is overpriced fo
Après :     ['locate', 'sausage', 'personality', 'coffee', 'overprice', 'self', 'serve', 'locate', 'condiment', 'coffee']

Avant :     Good food ruined by surly counter help. Week-after-week, the young woman working Sunday mornings is 
Après :     ['food', 'ruin', 'counter', 'help', 'week', 'week', 'woman', 'work', 'morning', 'borderline']

Avant :     Not friendly at all. Girl forgot to give me my cup so I asked for a cup. She asked me questions like
Après :     ['girl', 'forgot', 'ask', 'ask_question', 'take', 'cup', 'customer_service', 'ownership']

Avant :     Yuck yuck and double yuck. This place has new ownership. Not friendly. Prices are higher than The Ha
Après :     ['place', 'ownership', 'price', 'habit', 'food', 'quality', 'charburger', 'char', 'burn', 'taste']

Avant :     Inattentive and confused waiters could have been either inexperienced or under staffed. Bring SPF 45
Après :     ['confuse', 'waiter', 'staff', 'bring', 'sunblock', 'case', 'seat', 'neon', 'sign', 'food']

Avant :     NEVER AGAIN. 

EW. 

The food here was awful, the waiters acted like they had much better things to 
Après :     ['ew', 'food', 'waiter', 'act', 'thing', 'clientele', 'make', 'feel', 'eat', 'penn']

Avant :     Wasn't too impressed with their food. Ordered the tuna tartare, which never came out :(. Had the sir
Après :     ['impress', 'food', 'order', 'tuna', 'tartare', 'come', 'sirloin', 'steak', 'overcook', 'company']

Avant :     Meh.  Kinda under cooked and doughy.  Ild image it's pretty average when fully cooked.
Après :     ['cook', 'ild', 'image', 'cook']

Avant :     Your phone number has a constant busy tone. I'm going to come in the shop and ask why.
Après :     ['phone_number', 'tone', 'come', 'ask']

Avant :     Don't know what's happened to this place lately. Their prices have taken a sharp turn upward, and th
Après :     ['know', 'happen', 'place', 'price', 'take', 'turn', 'pizza', 'know', 'make', 'pizza']

Avant :     Terrible service. Called in an order for pick up and completely butchered my order. I asked for a ha
Après :     ['service', 'call', 'order', 'pick', 'butcher', 'order', 'ask', 'sausage', 'cheese', 'pizza']

Avant :     I experienced the worst customer service possible I've waited 15 minutes for an employee to ask me i
Après :     ['customer_service', 'wait_minute', 'employee', 'ask', 'take', 'care', 'food', 'sit', 'soda', 'refrigerator']

Avant :     bought a 2 medium deal the toppings were very light and the chicken appetizer I got was awful. pizza
Après :     ['buy', 'deal', 'topping', 'light', 'appetizer', 'pizza_hut', 'appearance', 'year', 'quality', 'seem']

Avant :     Breakfast food is hard to mess up, but somehow everything was pretty blasé. Oh except the ice coffee
Après :     ['breakfast', 'food', 'mess', 'ice', 'coffee', 'terrible', 'waffle', 'toast', 'breakfast', 'side']

Avant :     Please do not waste your money.
You get exactly less than what you pay for.
Horrible service.
Rude e
Après :     ['waste_money', 'pay', 'service', 'rude', 'employee', 'mess', 'order', 'apology', 'refund', 'egg']

Avant :     In short, the parts of my experience was better than the whole. I ordered the fishermen's special wh
Après :     ['part', 'experience', 'order', 'fisherman', 'menu', 'suppose', 'come', 'avocado', 'ask', 'toast']

Avant :     3 failed attempts at delivery so I'm not sure how the service is going in person.  Last 2 times I or
Après :     ['fail', 'attempt', 'delivery', 'service', 'person', 'time', 'order', 'mess', 'order', 'time']

Avant :     This McDonald's is as terrible as they come. They have no care, mess up every order, take at least 1
Après :     ['come', 'care', 'mess', 'order', 'take_min', 'answer', 'drive', 'point', 'day', 'stay']

Avant :     DO NOT GO HERE UNLESS YOU MIGHT DIE OF STARVATION !!! I kid you not that my meal took 36 minutes in 
Après :     ['die', 'starvation', 'kid', 'meal', 'take', 'minute', 'drive', 'night', 'car', 'wait']

Avant :     I come to this Mcdonald's because it's closest to where I live and I always have an awful experience
Après :     ['come', 'mcdonald', 'live', 'experience', 'today', 'take', 'minute', 'food', 'order', 'drive']

Avant :     If you want to wait in the drive through for 30+ minutes for some nuggets and ff because that's all 
Après :     ['want', 'wait', 'drive', 'minute', 'nugget', 'crave', 'midnight', 'place', 'minute']

Avant :     I've been to lunch twice, once on a weekend and another on a weekday. Being very busy on the weekend
Après :     ['lunch', 'weekend', 'weekday', 'weekend', 'visit', 'offer', 'naan', 'ask', 'water_refill', 'time']

Avant :     One of the worst tika masalas I ever tasted and i've order it many times from numerous places in var
Après :     ['tika', 'taste', 'order', 'time', 'place', 'city', 'place', 'americanize']

Avant :     Better off getting your food from the buffet since its constantly kept warm. If you order individual
Après :     ['food', 'buffet', 'keep', 'order', 'dish', 'menu', 'form', 'preparation', 'microwave', 'food']

Avant :     Food poisoning anyone? I used to order their samosas frequently until I got severely sick recently. 
Après :     ['food_poison', 'use', 'order', 'samosa', 'husband', 'throw', 'night', 'star', 'samosa', 'taste']

Avant :     I had lamb biryani and it was not a biryani. In stead it was fried rice with some lamb chunks. I cou
Après :     ['stead', 'fry_rice', 'lamb', 'chunk', 'see', 'rice', 'jasmine', 'quality', 'rice', 'restaurant']

Avant :     Just ordered delivery, and it's frankly inedible. I will NOT be going back. Sauces are super watery 
Après :     ['order', 'delivery', 'sauce', 'limit', 'flavor', 'veggie', 'korma', 'chunk', 'boil', 'meat']

Avant :     Overpriced, dry rice, small rotis, terrible tea. As an Indian I will not be coming back here
Après :     ['overprice', 'rice', 'rotis', 'come']

Avant :     We ordered the paneer, dal and kofta. The food was horrible. There was no taste and the food was so 
Après :     ['order', 'paneer', 'dal', 'food', 'taste', 'food', 'watery']

Avant :     Restaurant was totally empty for lunch today and hostess refused to seat my wife and child for lunch
Après :     ['restaurant', 'lunch_today', 'refuse', 'seat', 'wife', 'child', 'lunch', 'say', 'table', 'joke']

Avant :     It was good in a typical Americana gastropub type format, except for one small but massive thing. It
Après :     ['gastropub', 'type', 'format', 'thing', 'seem', 'night', 'smoke', 'smoking', 'chef', 'smoke']

Avant :     Very disappointing.. $14 for the worst hot chicken sandwich I've yet to try. If your looking for a g
Après :     ['chicken', 'sandwich', 'try', 'look', 'chicken', 'place', 'try', 'bait', 'switch', 'sandwich']

Avant :     The food could be better. Not what I had expected. The crab cakes was burnt. The food took forever t
Après :     ['food', 'expect', 'crab_cake', 'burn', 'food', 'take', 'come', 'service', 'staff', 'give']

Avant :     We were pretty disappointed in Whetstone given the published reviews recently and can't say that is 
Après :     ['whetstone', 'give', 'publish', 'review', 'say', 'see', 'service', 'lacking', 'point', 'need']

Avant :     Terrible. A weeknight dinner marred by an overtly rude bartender, subpar food and staff who couldn't
Après :     ['weeknight', 'dinner', 'mar', 'bartender', 'food', 'staff', 'keep', 'flow', 'place', 'neighborhood']

Avant :     Apps and cocktails were great, but the pasta dish was wayyy too salty.  They remade it and same issu
Après :     ['cocktail', 'pasta_dish', 'remade', 'issue', 'wife', 'dish', 'take', 'mine', 'check', 'manager']

Avant :     The food there may be delicious but I'll never know. We sat there for an hour waiting for our order 
Après :     ['food', 'delicious', 'know', 'sit', 'hour', 'waiting', 'order', 'omelette', 'noise_level', 'brunch']

Avant :     Terrible service. Prep for snark and/or being ignored. The food is fine, but too expensive for what 
Après :     ['service', 'prep', 'snark', 'ignore', 'food', 'shame', 'cause', 'location', 'atmosphere']

Avant :     Why 2 star ? I came here first time. and I only lived few minutes away. the place seems  very clean.
Après :     ['come', 'time', 'live', 'minute', 'place', 'seem', 'lady', 'take', 'order', 'wait_minute']

Avant :     Yes they food is good but the service is very slow and the drive thru takes way too long sometimes I
Après :     ['food', 'service', 'drive', 'take', 'way', 'want', 'fil', 'work', 'take', 'work']

Avant :     I can't give a lower rating, asked for very simple by the menu orders, two burgers in the two for fi
Après :     ['give', 'rating', 'ask', 'menu', 'order', 'burger', 'deal', 'value', 'meal', 'burger']

Avant :     Terrible selection of food. No "real sweet tea" first and last time visit" anywhere that doesn't car
Après :     ['selection', 'food', 'tea', 'time', 'visit', 'carry', 'tea']

Avant :     Went here for lunch. Ordered the pork rice bowl. My food took forever to be served. Then it was cold
Après :     ['lunch', 'order', 'pork', 'rice', 'bowl', 'food', 'take', 'serve', 'server', 'take']

Avant :     It sucks, don't go!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!!! Cold food, stuck up waiters, expensiv
Après :     ['suck', 'food', 'stick', 'waiter', 'drink']

Avant :     If you're immune to salmonella poisoning then this is the perfect place for you! Very overpriced, mi
Après :     ['salmonella', 'poisoning', 'place', 'overprice', 'effort', 'provide', 'food', 'taste', 'refrigerator', 'waste']

Avant :     Food is terrible. Nacho dip was covered in there advacado cream dressing which was bad. Very sloppy.
Après :     ['food', 'nacho', 'dip', 'cover', 'advacado', 'cream', 'dress', 'pesto', 'grill_cheese', 'cover']

Avant :     I like some of the cocktails here but the food is mediocre. Ive never understood why it gets the rat
Après :     ['cocktail', 'food', 'understand', 'rating', 'food', 'food', 'whip', 'minute', 'use', 'microwave']

Avant :     We waited an hour for our food.  No coffee refills the entire time.  We saw our food souring in the 
Après :     ['wait', 'hour', 'food', 'coffee_refill', 'time', 'see', 'food', 'sour', 'window', 'minute']

Avant :     Sad but fellow citizens in this area have no idea what good Chinese food is. Go down to Chinatown in
Après :     ['citizen', 'area', 'idea', 'food', 'chinatown', 'find', 'spot', 'see', 'place', 'hope']

Avant :     not great.

ordered the wonton soup and sesame beef, (apparently, a "house special"). my soup had on
Après :     ['order', 'beef', 'house', 'soup', 'beef', 'overcook', 'boyf', 'tsos', 'chicken', 'meaning']

Avant :     Have high expextation for this place since it has tons of good reviews. Maybe my expectation was too
Après :     ['expextation', 'place', 'ton', 'review', 'expectation', 'place', 'crawfish', 'sauce', 'cafe', 'half']

Avant :     Just left ordered crawfish. The lady from the beginning told us it wasn't fresh it was frozen. I was
Après :     ['leave', 'order', 'beginning', 'tell', 'take', 'difference', 'shrimp', 'reason', 'chewy', 'gum']

Avant :     I live right by here and I would drive across town for a gyro before eating here. 

Why do you think
Après :     ['live', 'drive', 'town', 'gyro', 'eat', 'think', 'price', 'groupon', 'momo', 'everyday']

Avant :     The decor and the neighborhood were really nice, but the food was on the sweet side. I had beef kabo
Après :     ['food', 'side', 'beef', 'potato', 'soak', 'sauce', 'ruin', 'portion', 'place', 'bar']

Avant :     This has got to be the worst falafel I've ever had. The flavor had no complexity. No presence of her
Après :     ['falafel', 'flavor', 'complexity', 'presence', 'herb', 'spice', 'fry', 'patty', 'bland', 'realize']

Avant :     We've been here three times, sadly, this will likely be our last. While visiting from Chicago, we ca
Après :     ['time', 'visit', 'call', 'momo', 'open', 'decide', 'make', 'drive', 'hotel', 'downtown']

Avant :     this is the second time we tried momo's ...don't ask why. it is bad. it was bad 5 years ago, and it 
Après :     ['time', 'try', 'momo', 'ask', 'year', 'think', 'learn', 'cook', 'lamb', 'gyro']

Avant :     The service was fantastic but the food is 100% no go!!! We started the meal with crab cakes and span
Après :     ['service', 'food', 'start', 'meal', 'crab_cake', 'crab_cake', 'burn', 'taste', 'course', 'gyro']

Avant :     I am unable to review the actual experience because the restaurant does not stay open as indicated b
Après :     ['review', 'experience', 'restaurant', 'stay', 'indicate', 'hour', 'post', 'door', 'kitchen', 'suppose']

Avant :     The chick that works here is seriously retarded. Spacey as fck, dosent pay attention, and can't take
Après :     ['work', 'spacey', 'fck', 'dosent', 'pay_attention', 'take', 'order', 'expect', 'pho', 'wanst']

Avant :     It's okay. If you do not have a car and need some photos after a crazy night I guess this would be t
Après :     ['car', 'need', 'photo', 'night', 'guess', 'spot', 'isla', 'vista', 'broth', 'need']

Avant :     My son got a pho and thought it was ok. My daughter got the tofu pad Thai and she said it was horrib
Après :     ['pho', 'think', 'daughter', 'pad', 'say', 'taste', 'bland', 'flavor', 'food']

Avant :     I wish this place was more awesome. I love hanging on Pardall. The food was not the best. In fact, n
Après :     ['wish', 'place', 'love', 'hang', 'food', 'fact', 'service', 'def', 'smile']

Avant :     Boba was hard and smoothies were overly sweet. If you're used to going to good boba places don't bot
Après :     ['boba', 'smoothie', 'use', 'boba', 'place', 'bother']

Avant :     I recently found out that their "veggie" pho broth is actually beef-based and they never had a veggi
Après :     ['find', 'veggie', 'pho', 'broth', 'beef', 'base', 'veggie', 'broth', 'guess', 'lie']

Avant :     When this place first opened, it was terrible. Then, It got better, and then gradually got worse aga
Après :     ['place', 'open', 'today', 'lunch', 'fact', 'dish', 'taste', 'propane', 'fish', 'sauce']

Avant :     The fried rice is a decent deal if you're really hungry. A huge plate for $8. It's a really convenie
Après :     ['fry_rice', 'deal', 'plate', 'location', 'people', 'food', 'place', 'star', 'say', 'meh']

Avant :     Went there for lunch and the place must have changed owners and chefs. The food got bland and the st
Après :     ['lunch', 'place', 'change', 'owner', 'chef', 'food', 'staff', 'replace', 'staff', 'waiter']

Avant :     Good god- food as crummy as this should be cheaper. Here's my review in 5 words: bland, poor quality
Après :     ['food', 'review', 'word', 'bland', 'quality', 'overprice', 'bird', 'corner']

Avant :     My roommates & I decided to try this place out. The pho is okay but it's pretty pricey. We also got 
Après :     ['roommate', 'decide', 'try', 'place', 'pho', 'pork', 'fry_rice', 'beef', 'pad', 'plate']

Avant :     Brand Spanking New Opening.

The pho here looks better than the ones from Saigon Express around the 
Après :     ['brand', 'spank', 'opening', 'pho', 'look', 'one', 'saigon', 'express', 'corner', 'dish']

Avant :     I ordered an order of egg rolls and to go pineapple fried rice, by the time when I opened it. It stu
Après :     ['order', 'order', 'egg_roll', 'pineapple', 'fry_rice', 'time', 'open', 'pineapple', 'flavor', 'egg_roll']

Avant :     Wow, this place has gone down the drain. I used to actually like Pho Bistro because of their amazing
Après :     ['place', 'drain', 'use', 'pho', 'bistro', 'noodle', 'fry_rice', 'dish', 'open', 'management']

Avant :     Worst pad Thai and "white" rice ever. The white rice I got is the same color as my ORANGE pad Thai
Après :     ['pad', 'rice', 'color']

Avant :     It is moor redneck join, owner is root food was cold and mass up order  will not recommend.Place sma
Après :     ['redneck', 'join', 'owner', 'root', 'food', 'mass', 'order', 'recommend', 'place', 'music']

Avant :     Previous reviewer's description as a redneck joint is dead on. They're also rude. It's a mixed use a
Après :     ['reviewer', 'description', 'redneck', 'dead', 'use', 'area', 'treat', 'neighbor', 'trash']

Avant :     HORRIBLE food and staff!The take away food was YUCKY!!..Raw uncooked food!! Lime served with the dis
Après :     ['food', 'staff', 'take', 'food', 'food', 'lime', 'serve', 'dish', 'pre', 'use']

Avant :     Not hygienic and Fresh. Ordered Chicken Biryani, Mutton Biryani, Palak Paneer. One of my friends had
Après :     ['hygienic', 'order', 'paneer', 'friend', 'stomach', 'flu', 'food']

Avant :     Can't figure it out, but this was experince will not make my best of for Indian food in town.
Après :     ['figure', 'experince', 'make', 'food', 'town']

Avant :     Sides seem to be their forte. They are good. Sadly, Ribs are fatty and tough-do not fall off bone. S
Après :     ['side', 'seem', 'forte', 'rib', 'fall', 'bone', 'star']

Avant :     Ordered a family meal to go... & first let me comment on how RUDE the guy was when we called in. You
Après :     ['order', 'family', 'meal', 'let', 'comment', 'guy', 'call', 'think', 'place', 'order']

Avant :     The absolute worst! Sat for 20 min's at the counter waiting for a tuna sandwich. Staff isn't friendl
Après :     ['sit', 'counter', 'wait', 'tuna', 'sandwich', 'staff', 'place', 'location', 'got', 'act']

Avant :     My eyes r still watering .. What the heck the smell of ammonia was overpowering at the bar .. Food s
Après :     ['eye', 'water', 'smell', 'ammonia', 'overpower', 'bar', 'food', 'service', 'ambience', 'matter']

Avant :     Don't go here on a Saturday night for drinks with friends unless you want slow service with an attit
Après :     ['night', 'drink', 'friend', 'want', 'service', 'attitude', 'try', 'give', 'place', 'shoot']

Avant :     Rude staff. Can't even get a salad order right. Overpriced by the slice. When we sat down to wait fo
Après :     ['staff', 'salad', 'order', 'overprice', 'slice', 'sit', 'wait', 'food', 'think', 'take']

Avant :     We ate in. Awful pizza.

Shared the Philly steak pizza with bacon on the side.

Pizza was oily and s
Après :     ['eat', 'pizza', 'share', 'steak', 'pizza', 'bacon', 'side', 'pizza', 'sauce', 'flavor']

Avant :     The food had no taste and we ended up throwing it all out.   How can you ruin chicken parmigiana?  T
Après :     ['food', 'taste', 'end_throw', 'wilt', 'stick', 'shoe', 'leather', 'fry', 'gary']

Avant :     Ordered pizza and drinks at 6:35 pm. At 7:42 called again and told driver was in accident and food w
Après :     ['order', 'pizza', 'drink', 'call', 'tell', 'driver', 'accident', 'food', 'arrive', 'min']

Avant :     Not sure why this palce has good reviews. Maybe im just ordering on an off day? The parmesan chx san
Après :     ['palce', 'review', 'order', 'sandwich', 'chicken', 'breading', 'taste', 'cook', 'burn', 'oil']

Avant :     Hubby and I were looking for a fresh seafood restaurant and stopped here late on a Saturday afternoo
Après :     ['hubby', 'look', 'seafood', 'restaurant', 'stop', 'order', 'tenderloin', 'miss', 'midwestern', 'tenderloin']

Avant :     Food was good but service was poor. Very unorganized and not handling crowd well. Not enough seating
Après :     ['food', 'service', 'handling', 'crowd', 'seating', 'temperature', 'condensation', 'air', 'vent', 'keep']

Avant :     Not sure why the reviews are so high for this place.. Great live band, ok food and bad service. Only
Après :     ['review', 'place', 'band', 'food', 'service', 'table', 'take', 'wait_minute', 'order', 'drink']

Avant :     Food okay, but only because our waitress let it sit. It definitely had more potential than what we e
Après :     ['food', 'waitress', 'let', 'sit', 'baffle', 'people', 'age']

Avant :     Went for Italian nite Wednesday. I had eggplant parm. and it was so salty that I was cringing from t
Après :     ['parm', 'cringing', 'saltiness', 'eggplant', 'cut', 'make', 'believe', 'complain', 'bring', 'town']

Avant :     Food is pretty good, but yet I still only give this place 2 stars. Service is below average and pric
Après :     ['food', 'give', 'place', 'star', 'service', 'price', 'charge', 'price', 'thid', 'deliver']

Avant :     The delivery would bring me the wrong pizza and of course it's with the 2 toppings I despise the mos
Après :     ['delivery', 'bring', 'pizza', 'course', 'topping', 'despise', 'luck', 'whatsinthebox']

Avant :     Its baffling how Rusty's became the most prolific pizza joint in this town.  Its national chain qual
Après :     ['baffle', 'rusty', 'become', 'pizza', 'town', 'chain', 'quality', 'premium', 'price', 'look']

Avant :     Don't place a delivery order from here, or actually any location. You'll get the pleasure of speakin
Après :     ['place', 'delivery', 'order', 'location', 'pleasure', 'speak', 'employee', 'sound', 'place', 'delivery']

Avant :     Good pizza, but lousy service.

Look, Rusty's has been here forever and the pie has been generally g
Après :     ['pizza', 'service', 'look', 'pie', 'time', 'delivery', 'time', 'customer_service', 'luck', 'pizza']

Avant :     Yikes. Cold, fatty chicken wings. When told the server they were cold, the reply was, "what do you w
Après :     ['yike', 'chicken', 'wing', 'tell', 'server', 'reply', 'want', 'pizza', 'water', 'dispenser']

Avant :     How anyone thinks this is better than Ellios pizza is celebrating a little too hard at the local dis
Après :     ['think', 'ellio', 'pizza', 'celebrate', 'dispensary', 'taste', 'pizza', 'taste', 'service', 'keep']

Avant :     I was Sitting down  sipping a coffee and  waiting on a sandwich for 25 minutes or more.  
 so when I
Après :     ['sit', 'sip', 'coffee', 'waiting', 'sandwich', 'minute', 'order', 'appointment', 'make', 'tell']

Avant :     We would have loved to try this restaurant but unfortunately we were told they had stopped serving f
Après :     ['love', 'try', 'restaurant', 'tell', 'stop', 'serve', 'food', 'pm', 'eldorado', 'website']

Avant :     I ordered the "special" pasta with mushrooms and a Hef...didnt feel so good afterwards...
Après :     ['order', 'pasta', 'mushroom', 'feel']

Avant :     This place is a great example of why it is important not to be sheep.  I choose this place because i
Après :     ['place', 'example', 'sheep', 'choose', 'place', 'line', 'night', 'melt', 'come', 'minute']

Avant :     Waste of time! I was looking forward to trying the news and good,  I'd heard great things. This was 
Après :     ['waste_time', 'look', 'try', 'news', 'hear_thing', 'night', 'people', 'place', 'sit', 'table']

Avant :     Stood around waiting and finally a hostess appeared and said that she couldn't seat us because they 
Après :     ['stand', 'wait', 'hostess', 'appear', 'say', 'seat', 'wait', 'service', 'catch', 'proceed']

Avant :     Beer is ok at best. Over an hour wait for hamburger and they weren't even busy... bad service.
Après :     ['beer', 'ok', 'hour', 'wait', 'hamburger', 'service']

Avant :     Warning! This review is based strictly on ambiance. My friend Erin S. wanted some pub food and a goo
Après :     ['warning', 'review', 'base', 'friend', 'erin', 'want', 'pub', 'food', 'beer', 'brother']

Avant :     Food pretty good...service slow.. one drink never asked again . Took forever to get check.. I keep w
Après :     ['food', 'service_slow', 'drink', 'ask', 'take', 'check', 'keep', 'want', 'place', 'beer']

Avant :     Been going here for their fish tacos a couple of years now, but yesterday's fare was below par. The 
Après :     ['fish_taco', 'couple', 'year', 'yesterday', 'fare', 'par', 'tortilla', 'chewy', 'fish', 'bit']

Avant :     On Saturday night, I had dinner there.  My cousin told the waitress that I was going to use my card 
Après :     ['night', 'dinner', 'tell', 'waitress', 'use', 'card', 'point', 'pay', 'dinner', 'say']

Avant :     This place is good drunk food. Burgers with grilled cheese for the buns?!?! Sweet tender pulled pork
Après :     ['place', 'food', 'burger', 'grill_cheese', 'bun', 'tender', 'pull_pork', 'sandwich', 'crispy', 'melt']

Avant :     I went here last night with some friends. Since when do they allow smoking INSIDE the bar. GROSS. I 
Après :     ['night', 'friend', 'allow', 'smoking', 'bar', 'enjoy', 'band', 'night', 'smoke', 'stand']

Avant :     The beer was good, the food was good, but the cigar smoke was overwhelming.
Après :     ['beer', 'food', 'cigar', 'smoke', 'overwhelm']

Avant :     Dear Brew Brothers, 

22 year old me went to your establishment for the first time ever tonight with
Après :     ['year', 'establishment', 'time', 'tonight', 'friend', 'friend', 'drink', 'drink', 'kick', 'perifery']

Avant :     Only giving it 2 stars because of our server Candy, she was fantastic. Our food was terrible, spin/a
Après :     ['give_star', 'server', 'candy', 'food', 'spin', 'artichoke', 'salad', 'finish', 'pizza', 'mind']

Avant :     Employees are unnecessarily rude. I had placed my order at the kiosk, paid at the register, and wait
Après :     ['employee', 'place', 'order', 'kiosk', 'pay', 'register', 'wait_minute', 'order', 'call', 'number']

Avant :     I was in the area today and decided to get my gyro fix. For two gyros it was just under 19 bucks. My
Après :     ['area', 'today', 'decide', 'gyro', 'fix', 'gyro', 'buck', 'wife', 'gyro', 'buck']

Avant :     While the food at Soco Gyro is very good, while dinning there today I witnessed the worst costumer s
Après :     ['food', 'soco', 'gyro', 'dinning', 'today', 'witness', 'service', 'ownership', 'see', 'owner']

Avant :     Friendy staff, but I don't go out to eat reheated food. If a restaurant can't prepare breakfast to o
Après :     ['staff', 'eat', 'reheat', 'food', 'restaurant', 'prepare', 'breakfast', 'order', 'problem', 'potato']

Avant :     Food was good, but service was awful. Waited 30 minutes to get drinks for kids before finally just g
Après :     ['food', 'service', 'wait_minute', 'drink', 'kid', 'server', 'offer', 'refill', 'take', 'minute']

Avant :     Food is very hit or miss.  Servers are not very attentive.   Several years ago went for dinner and m
Après :     ['food', 'hit_miss', 'server', 'attentive', 'year', 'dinner', 'husband', 'shrimp', 'tell', 'chef']

Avant :     The Cuban sandwich was good and the place is clean but the price was a bit high for what we got. The
Après :     ['sandwich', 'place', 'price', 'bit', 'need', 'offer', 'fry', 'sandwich', 'people', 'expect']

Avant :     Me & my husband use to go here on the weekends for breakfast. But the last time we went we were seat
Après :     ['husband', 'use', 'weekend', 'breakfast', 'time', 'give', 'menus', 'silverware', 'seat', 'table']

Avant :     Had a bad experience- our waitress was wearing her long hair down and when she was serving our drink
Après :     ['experience', 'waitress', 'wear_hair', 'serve', 'drink', 'end', 'hair', 'fall', 'ice_tea', 'food']

Avant :     I've dined here several times but the last two occasions we received poor service and the food was u
Après :     ['dine', 'time', 'occasion', 'receive', 'service', 'food', 'underwhelme', 'use_love', 'eat', 'lunch']

Avant :     This has been one of my favorite chains for a while. I will not visit this one again. Slowest servic
Après :     ['chain', 'visit', 'service', 'remember', 'food', 'return']

Avant :     Disappointed.  If we weren't hungry, tired of waiting for thirty minutes for our appetizer to arrive
Après :     ['wait_minute', 'appetizer', 'arrive', 'entree', 'talk', 'server', 'food', 'kitchen', 'leave', 'girlfriend']

Avant :     Decided on Granite City while walking downtown. It was busy and the service could not keep up. Blood
Après :     ['decide', 'granite', 'city', 'walk', 'downtown', 'service', 'keep', 'mary', 'make', 'mix']

Avant :     I normally don't complain, but this place was a new level of awful. I came here with my family for l
Après :     ['complain', 'place', 'level', 'come', 'family', 'lunch', 'service', 'waiter', 'check', 'refill_drink']

Avant :     Friendly host staff... Server basically assumed women know nothing about beer and overall horrendous
Après :     ['host', 'staff', 'server', 'assume', 'woman', 'know', 'beer', 'service', 'beer']

Avant :     Ok - Colts day game and 20 minute wait which is understandable - but not when I counted 32 tables em
Après :     ['day', 'game', 'wait', 'count', 'table', 'din', 'room', 'area', 'schedule', 'help']

Avant :     We stopped in with friends for beers and food. While we were seated right away, no server ever showe
Après :     ['stop', 'friend', 'beer', 'food', 'seat', 'server', 'show', 'leave', 'rock', 'bottom']

Avant :     Service- painfully slow. 10 minutes for drinks. One water refill. 
Order accuracy- terrible. Ordered
Après :     ['service', 'minute', 'drink', 'water_refill', 'order', 'accuracy', 'order', 'steak', 'medium', 'receive']

Avant :     Chicken was burned, dry and flavorless.  Desserts were not fresh and bland.  Salad also flavorless a
Après :     ['burn', 'flavorless', 'dessert', 'bland', 'salad', 'flavorless', 'bland', 'recommend', 'price']

Avant :     Came here for lunch recently with a friend.  The bedda chedda burger was absolutely pathetic.  Super
Après :     ['come', 'lunch', 'friend', 'chedda', 'burger', 'burger', 'thing', 'save', 'bbq_sauce']

Avant :     Food was horrible. No flavor and a bit cold...how do you have Mac and cheese and no real cheese ? Ca
Après :     ['food', 'flavor', 'bit', 'cheese', 'cheese', 'say', 'back']

Avant :     Poor service and multiple mistakes all around. The good news is they responded quickly but deliverin
Après :     ['service', 'mistake', 'news', 'respond', 'deliver', 'plate', 'food', 'mind', 'boggle']

Avant :     We've only been here twice and both times I tried different entreès and just didn't like their food.
Après :     ['time', 'try', 'entree', 'food', 'meat', 'tender', 'bit', 'side', 'think', 'overprice']

Avant :     I would give this place zero stars if I could. Rude, rude, rude staff. Don't waste your time. Trust 
Après :     ['give', 'place', 'star', 'rude', 'time', 'trust', 'foodie', 'food', 'let', 'eat']

Avant :     We had the worse service!! It was Mother's Day and they ruined it for our mothers. The food was burn
Après :     ['service', 'mother', 'ruin', 'mother', 'food', 'burn', 'food', 'burn']

Avant :     The food here was not bad - probably better than most of the Japanese restaurants in Edmonton. Howev
Après :     ['food', 'restaurant', 'kick', 'restaurant', 'friend', 'come', 'lunch', 'meal', 'talk', 'catch']

Avant :     I have lived in this area for four years. I've been to this location four times. Customer service la
Après :     ['live', 'area', 'year', 'location', 'time', 'customer_service', 'lack', 'cashier', 'drive', 'people']

Avant :     Definitely not what it used to be when it was "Christine's twisty treat". There's sofas outside and 
Après :     ['use', 'twisty', 'treat', 'sofas', 'eyesore', 'strawberry', 'banana', 'smoothie', 'girl', 'working']

Avant :     I ordered the meal deal with his six nuggets and fries and BBQ sauce and a large  sweet. Receive my 
Après :     ['order', 'meal', 'deal', 'nugget', 'fry', 'sauce', 'order', 'touch', 'fry', 'guy']

Avant :     I have been at a slowe McDonald's in my life. I go there because I work in the mall. With limited ti
Après :     ['slowe', 'mcdonald', 'life', 'work', 'time', 'sit', 'wait', 'soda', 'unreal']

Avant :     Went first time and was great This time was terrible I found a piece of bone in the meat Will not go
Après :     ['time', 'time', 'find', 'piece', 'bone', 'meat']

Avant :     Meh. I had a pork burrito that was quite unremarkable. It was mostly rice and beans with a slight sm
Après :     ['pork', 'rice_bean', 'smear', 'guacamole', 'ingredient', 'cheese', 'pico', 'agree', 'price', 'overprice']

Avant :     Great space, great location, friendly service, and unfortunately careless attention to keeping thing
Après :     ['space', 'location', 'service', 'attention', 'keep', 'thing', 'point', 'stray', 'piece', 'meat']

Avant :     This place is super unprofessional. The manager who says his name is "Johnson" is extremely unprofes
Après :     ['place', 'manager', 'say', 'understand', 'work', 'place', 'business', 'people', 'accompany', 'child']

Avant :     Pizza...too small too much had better way better especially for the $$. Like wood fired pizza but no
Après :     ['pizza', 'way', 'wood_fire', 'pizza', 'cremate', 'crust']

Avant :     Very crowded! Food is a definite downgrade compared to the rock hill location. Pizza was just rubber
Après :     ['crowd', 'food', 'downgrade', 'compare', 'location', 'pizza', 'rubbery', 'suppose', 'staple', 'overhype']

Avant :     Terribly disappointed in the Town & Country location. The toasted ravioli tasted like it was freezer
Après :     ['town', 'country', 'location', 'toast', 'ravioli', 'taste', 'freezer_burn', 'pesto', 'come', 'look']

Avant :     I'd love to feel better about coming for a meal someday because we hear good things about the food, 
Après :     ['love', 'feel', 'come', 'meal', 'hear_thing', 'food', 'head', 'experience', 'year', 'come']

Avant :     Cute place with nice patio but that's about all that's good. I waited for my friend for about 10 min
Après :     ['place', 'patio', 'wait', 'friend', 'minute', 'come', 'offer', 'drink', 'water', 'matter']

Avant :     Was seated and watched 'the show' between the owner and a server for 15 minutes without getting wait
Après :     ['watch', 'show', 'owner', 'server', 'minute', 'wait', 'customer', 'feel', 'twilight', 'zone']

Avant :     I recently ordered the pork chops and was very disappointed with the meal.  There was more fat on th
Après :     ['order', 'pork_chop', 'disappoint', 'meal', 'fat', 'plate', 'meat', 'flavor', 'fat', 'leave']

Avant :     I stopped off here for lunch with a number of colleagues and noticed that the lunch menu had changed
Après :     ['stop_lunch', 'number', 'colleague', 'notice', 'lunch', 'menu', 'change', 'decide', 'light', 'grill']

Avant :     When my boyfriend and I went to dinner here he found numerous pieces of hard clear plastic in his fo
Après :     ['boyfriend', 'dinner', 'find', 'piece', 'food', 'type', 'people', 'make', 'scene', 'tell']

Avant :     This was my first visit to this particular bar. I wanted some fish and chips. Also it was just a new
Après :     ['visit', 'bar', 'want', 'fish_chip', 'place', 'order', 'tea', 'serve', 'taste', 'liquor']

Avant :     Will not go back. Food had close to zero taste. Chicken salad bowl. So bland. Biscuits and chicken. 
Après :     ['food', 'taste', 'chicken', 'salad', 'bowl', 'bland', 'biscuit', 'chicken', 'fry', 'tomato']

Avant :     Even one star is too much. Rude, slow and ignorant staff. We waited more than 45 minutes only for on
Après :     ['star', 'staff', 'wait_minute', 'scramble_egg', 'staff', 'come', 'say', 'make', 'order', 'apologize']

Avant :     Well, they get one star for having a really sweet server who was helpful and nice. But seriously, I 
Après :     ['star', 'server', 'nice', 'wish', 'wait_line', 'hour', 'pancake_pantry', 'order', 'hour', 'waiting']

Avant :     The only thing more disgusting than the waiter's scabbed up hands was the food. Everything was cold 
Après :     ['thing', 'waiter', 'scabbe', 'hand', 'food', 'biscuit_gravy', 'taste', 'dog', 'food', 'top']

Avant :     Went for breakfast. Not good! My meal came over-cooked. Sent it back and came back still over cooked
Après :     ['breakfast', 'meal', 'come', 'cook', 'send', 'come', 'cook', 'make', 'egg_bacon', 'know']

Avant :     I'm sure this place is good for drinks, but we made the mistake of going here for brunch when we saw
Après :     ['place', 'drink', 'make_mistake', 'brunch', 'see', 'line', 'pancake_pantry', 'thing', 'service', 'food']

Avant :     Service is not something this restaurant is concerned with. Not to mention, the time it took to get 
Après :     ['service', 'restaurant', 'concern', 'mention', 'time', 'take', 'food', 'check', 'food', 'drink']

Avant :     I wound up eating here because every other spot in the area had a line out the door and I was starvi
Après :     ['wound', 'eat', 'spot', 'area', 'line', 'door', 'starve', 'hint', 'customer', 'seat']

Avant :     The breakfast potatoes with Swiss cheese and have been great had it not been swimming in oil. I like
Après :     ['breakfast', 'potato', 'swiss', 'swimming', 'oil', 'concept', 'execution', 'issue', 'chicken', 'biscuit']

Avant :     Jackson's is all about the crowds that it draws; it's not about the service or the food.  I ended up
Après :     ['draw', 'service', 'food', 'end', 'lunch', 'yesterday', 'trip', 'line', 'pancake_pantry', 'food']

Avant :     First the good: I like the location of Jackson's, as Hillsboro Village is a charming little neighbor
Après :     ['location', 'neighborhood', 'vanderbilt', 'make', 'food', 'month', 'make', 'occasion', 'meal', 'contact']

Avant :     Food was good (sunrise sliders) - even though I got bacon when i asked for sausage. Bartender seemed
Après :     ['food', 'sunrise', 'slider', 'bacon', 'ask', 'sausage', 'bartender', 'seem', 'take', 'care']

Avant :     Love this place and the locAtion and the food for the most part! But my service this time was awful.
Après :     ['love', 'place', 'location', 'food', 'part', 'service', 'time', 'server', 'greet', 'make']

Avant :     Place was a 5-star 3 years ago , I am not sure what happened.  The Big Ben was good, but I also look
Après :     ['place', 'year', 'happen', 'look', 'grandma', 'make', 'plate', 'side', 'sausage', 'shrivel']

Avant :     Horrible service, horrible bland food for the price points, I would never come here again for brunch
Après :     ['service', 'bland', 'food', 'price', 'point', 'come', 'love', 'lunch', 'dinner', 'say']

Avant :     I went to Jackson's on Monday night around 7pm with a group of coworkers. I was excited to try the p
Après :     ['night', 'group', 'coworker', 'excite', 'try', 'place', 'base', 'recommendation', 'order', 'come']

Avant :     the food is outrageously expensive here and there is not too much indoor seating. The drinks are ave
Après :     ['food', 'seating', 'drink', 'place', 'covet', 'location', 'subpar', 'expensive']

Avant :     Very disappointed in the breakfast I was served. Received a two egg omelette with minimal sausage(me
Après :     ['breakfast', 'serve', 'receive', 'egg', 'omelette', 'sausage', 'meat', 'appetizing', 'piece', 'bread']

Avant :     Absolutely terrible service. They didn't seem to be understaffed at all but our waitress and the oth
Après :     ['service', 'seem', 'waiter', 'pull', 'forget', 'drink', 'order', 'walk', 'bathroom', 'see']

Avant :     This place is FILTY! There was a layer of dust covering the chair legs and a thick coating of black 
Après :     ['place', 'filty', 'layer', 'dust', 'cover', 'chair', 'leg', 'coating', 'dirt', 'air']

Avant :     Terrible service aside from the trainee who got us started - sucks that it was his first day, he sho
Après :     ['service', 'trainee', 'start', 'suck', 'day', 'open', 'seating', 'wait', 'hour', 'food']

Avant :     First time I went to Tin Drum the service was amazing, they were extremely knowledgeable about their
Après :     ['time', 'drum', 'service', 'menu', 'staff', 'time', 'take', 'food', 'recooke', 'argue']

Avant :     Stopped in for lunch today. Been there a couple times and was highly satisfied. This time the place 
Après :     ['stop_lunch', 'today', 'couple', 'time', 'time', 'place', 'hour', 'opening', 'floor', 'night']

Avant :     I placed a to go order online and received an email saying I could pick up my order in 15 minutes.  
Après :     ['place', 'order', 'receive', 'email', 'say', 'pick', 'order', 'minute', 'arrive', 'drum']

Avant :     Terrible service. Good enough food. I've been here twice this week. Service is a mess. They overchar
Après :     ['service', 'food', 'week', 'service', 'mess', 'overcharge', 'meal', 'today', 'ask', 'window']

Avant :     What a dive! It took the new owners no time to return Kelly's back to its dive status of yesteryear.
Après :     ['take', 'owner', 'time', 'return', 'status', 'yesteryear', 'food', 'floor', 'table_chair', 'mess']

Avant :     it's a mediocre bar with HORRIBLE SERVICE.   the venue is great... if they would hire non-coked-out 
Après :     ['bar', 'service', 'venue', 'hire', 'coke', 'bouncer', 'bartender', 'care', 'tip', 'place']

Avant :     Such a disappointment. The chips and salsa were the worst I have ever had at a Mexican restaurant. W
Après :     ['disappointment', 'chip', 'restaurant', 'order', 'guacamole', 'hope', 'improvement', 'order', 'tomato_sauce', 'use']

Avant :     Always on a quest for great Mexican food, I did not find it here. Food was very salty and not at all
Après :     ['quest', 'food', 'find', 'food', 'lunch', 'restaurant', 'patron', 'service', 'order', 'steak']

Avant :     The food here is ok, but I've literally never recieved good service in my four visits. Taco Tuesday 
Après :     ['food', 'recieve', 'service', 'visit', 'eat', 'taco', 'money', 'tend', 'bit', 'meat']

Avant :     When Cantina is good, they are really good. Too bad they have a problem with consistency much of the
Après :     ['problem', 'consistency', 'time', 'cook', 'want', 'follow', 'recipe', 'guacamole', 'spice', 'salt']

Avant :     Burrito was good but the service is 100% terrible. Had to ask for chips had to ask for salsa had to 
Après :     ['service', 'chip', 'ask', 'ask', 'water', 'waitress', 'sit_bar', 'eat', 'take', 'care_customer']

Avant :     We love the food here which is why we come back even with the horrible service. Last 5 times we have
Après :     ['love', 'food', 'come', 'service', 'time', 'take', 'order', 'remake', 'order', 'time']

Avant :     Don't go on a busy night!! Waited 30 minutes without a single person serving us! No water or chips a
Après :     ['night', 'wait_minute', 'person', 'serve', 'water', 'chip_salsa', 'establishment']

Avant :     They say they are open until midnight, what they fail to mention is that it is only the bar. I went 
Après :     ['say', 'midnight', 'mention', 'bar', 'kitchen', 'look', 'close', 'person', 'bar', 'see']

Avant :     If you want great service at a Mexican restaurant DO NOT GO TO CANTINA LOS TRES OMBRES! If you want 
Après :     ['want', 'service', 'ombre', 'want', 'pay', 'margarita', 'place', 'give_star', 'choice']

Avant :     I came to cantina to use the groupon that I had purchased and I must admit that I was quite dissatis
Après :     ['come', 'groupon', 'purchase', 'admit', 'spilt', 'drink', 'take', 'minute', 'find', 'help']

Avant :     Horrible customer service. Our waitress was rude, never available, charged too much and argued with 
Après :     ['customer_service', 'waitress', 'charge', 'argue', 'believe', 'happen']

Avant :     Worst food to spend money on. Ordered chicken low mien and a egg roll, the taste was disappointing. 
Après :     ['food', 'spend_money', 'order', 'egg_roll', 'taste', 'stay', 'find', 'place']

Avant :     I'm not sure what happened here, but this place went downhill fast. I just had a pizza steak and chi
Après :     ['happen', 'place', 'pizza', 'steak', 'sandwich', 'step', 'try', 'taste', 'pizza', 'steak']

Avant :     Decent food but have some weird priorities and service quality is quite poor. Didn't take our orders
Après :     ['food', 'priority', 'service', 'quality', 'take', 'order', 'sit', 'wait_min', 'food', 'take_min']

Avant :     average Thai food. nothing spectacular peanut sauce was lackluster.
Après :     ['food', 'peanut', 'sauce', 'lackluster']

Avant :     Service was great - really nice.  Unfortunately, if you've had good thai - you will be disappointed.
Après :     ['service', 'flavor', 'buy', 'buy', 'rice', 'food']

Avant :     I wanted to love this place.  I love the location.  I love Garces' stuff.  I went with another coupl
Après :     ['want', 'love', 'place', 'love', 'location', 'love', 'garce', 'stuff', 'couple', 'none']

Avant :     Ok pizza-Margarita pie was burnt! I mean charred. They brought a new one a bit late . Never got brea
Après :     ['pie', 'burn', 'char', 'bring', 'bit', 'bread']

Avant :     Garces is at it again.  Ordered delivery tonight and only received half of the order.  Claimed they 
Après :     ['garce', 'order', 'delivery', 'tonight', 'receive', 'order', 'claim', 'meatball', 'sandwich', 'menu']

Avant :     Really disappointed by 24. Way below the standard I expect from Jose Garces. We had the roasted beet
Après :     ['way', 'standard', 'expect', 'jose', 'garce', 'cauliflower', 'eggplant', 'pizza', 'cauliflower', 'star']

Avant :     The restaurant is nice and the food was not bad however the service was extremely poor. It was a dat
Après :     ['restaurant', 'food', 'service', 'date', 'night', 'waiter', 'rush', 'course', 'serve', 'appetizer']

Avant :     We never bothered going because the staff was so rude when we called to ask a few questions that we 
Après :     ['bother', 'staff_rude', 'call', 'ask_question', 'wound', 'hang']

Avant :     Ordered food at noon. Waited 55 minutes for two salads. Friend ordered House Salad, when it arrived 
Après :     ['order', 'food', 'noon', 'wait_minute', 'salad', 'friend', 'order', 'salad', 'arrive', 'spring']

Avant :     This is one of my favorite places to get coffee so I finally decided to come for breakfast after hea
Après :     ['place', 'coffee', 'decide', 'come', 'breakfast', 'hear', 'review', 'impress', 'egg', 'sandwich']

Avant :     This used to be an excellent local flavor for college students and the like. Ever since the move nex
Après :     ['use', 'flavor', 'college_student', 'move', 'door', 'lose', 'character', 'transform', 'place', 'wait']

Avant :     We sat for 10 minutes, and were NEVER greeted. We ended up walking out after looking around and seei
Après :     ['sit', 'minute', 'greet', 'end', 'walk', 'look', 'see', 'staff', 'stand', 'come']

Avant :     I really wanted to like this place, but after my second visit they did not convince me. The first ti
Après :     ['want', 'place', 'visit', 'convince', 'time', 'month', 'service', 'breakfast', 'bland', 'say']

Avant :     The bacon was as rubbery as Reed Richards. Tasted as if it had been "cooked" in an old microwave.
Après :     ['bacon', 'rubbery', 'reed', 'richard', 'taste', 'cook', 'microwave']

Avant :     I use yelp all the time and I think this is my first review. My nine dollar kale salad was so disapp
Après :     ['use', 'yelp', 'time', 'think', 'review', 'dollar', 'kale', 'salad', 'feel', 'need']

Avant :     Go here if you want to wait an hour for a toasted bagel with a side of cream cheese, be dismissed wh
Après :     ['want', 'wait', 'hour', 'toast', 'bagel', 'side', 'cream_cheese', 'dismiss', 'ask', 'order']

Avant :     The coffees were slow and bland. My breakfast tacos came out after 30 mins and were wrong. This plac
Après :     ['coffee', 'slow', 'bland', 'breakfast', 'taco', 'come', 'min', 'place', 'recommend', 'coffee_shop']

Avant :     Vegans beware. They gave us dairy cheese instead of vegan cheese, and at least one item was incorrec
Après :     ['vegan', 'beware', 'give', 'dairy', 'cheese', 'vegan', 'cheese', 'item', 'label', 'dairy']

Avant :     Mediocre at best.   No ambiance to the place whatsoever.   Felt like I was eating in a cafeteria.  

Après :     ['ambiance', 'place', 'feel', 'eat', 'cafeteria', 'food', 'bit', 'greasy', 'ask', 'waitress']

Avant :     Terrible establishment, ugly people, horrible service, old hags everywhere, the FOOOOOOD MADE MEEE W
Après :     ['establishment', 'people', 'service', 'hag', 'fooooood', 'make', 'meee', 'want', 'throw', 'upppppppp']

Avant :     My sister raves about this place so when I was in the area I decided to try it. I arrived at 4:55pm 
Après :     ['sister', 'rave', 'place', 'area', 'decide', 'try', 'arrive', 'tell', 'accommodate', 'reservation']

Avant :     Had nachos as an app-chips were mediocre and smothered in cheap cheese sauce and a black bean sauce 
Après :     ['app', 'chip', 'mediocre', 'smother', 'cheese', 'sauce', 'bean', 'sauce', 'sort', 'top']

Avant :     Amazing dosas. Terrible everything else. I ordered a chicken curry and the chicken pieces in it were
Après :     ['dosa', 'order', 'chicken', 'chicken', 'piece', 'bread', 'chicken', 'nugget', 'know', 'biriyani']

Avant :     The food is good but the service is pretty bad. My food came out 10 minutes prior to my friend's foo
Après :     ['food', 'service', 'food', 'come', 'minute', 'friend', 'food', 'plan', 'eat', 'server']

Avant :     I went with a lot of expectations but the dosa was cold and really poor service. I have definitely h
Après :     ['lot', 'expectation', 'service', 'give', 'water', 'ask']

Avant :     Placed a to go order, had to repeat it multiple times over the phone and it was still wrong when I p
Après :     ['place', 'order', 'repeat', 'time', 'phone', 'pick', 'time', 'time', 'fix', 'offer']

Avant :     I have ordered from this sushi restaurant via Uber many times because of their sashimi. 
I gave it a
Après :     ['order', 'uber', 'time', 'give', 'try', 'tonight', 'restaurant', 'give', 'sashimi']

Avant :     Not impressed. The volcano roll was tasteless and dry with no resemblance to what sushi should be. T
Après :     ['volcano', 'roll', 'resemblance', 'roll', 'order', 'slither', 'tuna', 'match', 'fry', 'shrimp']

Avant :     Waited 1:30 minutes for an Uber Eats delivery and finally had to cancel. Don't quote 35 min if you c
Après :     ['wait_minute', 'uber_eat', 'delivery', 'cancel', 'min', 'deliver', 'disappointing']

Avant :     Disappointed. Our lunch order took nearly an hour and 20 minutes to deliver and we are only 1.5 mile
Après :     ['lunch', 'order', 'take', 'hour', 'minute', 'deliver', 'mile', 'soy_sauce', 'ginger', 'utensil']

Avant :     Bland, nothing special abt it. A to go joint.  If you decide to eat there you will be served a plast
Après :     ['bland', 'abt', 'decide', 'eat', 'serve', 'plastic', 'baggie', 'watery', 'taste', 'soy_sauce']

Avant :     just got uber eats, terrible, the sushi was warm and im pretty sure rotten. my husband and i couldnt
Après :     ['uber_eat', 'husband', 'eat', 'like']

Avant :     The employs were nice when I went in, but omg the food is overpriced, not even that good, I can get 
Après :     ['employ', 'omg', 'food', 'overprice', 'thing', 'bathroom', 'smell', 'season', 'fish', 'slap']

Avant :     Just ordered takeout. Was so sad I couldn't give less stars for this review. I ordered the cheeses s
Après :     ['order', 'give_star', 'review', 'order', 'cheese_steak', 'pepperoni', 'onion_ring', 'cook', 'cook', 'calzone']

Avant :     The staff seem shady. We got there at 9:02pm in the evening as it said online they close at 10pm. We
Après :     ['staff', 'seem', 'evening', 'say', 'location', 'cashier', 'talk', 'truck', 'ask', 'say']

Avant :     Very disappointed they no longer have the salad & pizza bar! Used to go to other location all the ti
Après :     ['disappoint', 'salad', 'pizza', 'bar', 'use', 'location', 'time', 'move', 'thought', 'realize']

Avant :     I loved coming here when it was in the old location with my mother. Delicious food. The manicotti is
Après :     ['love', 'come', 'location', 'mother', 'creamy', 'cheese', 'place', 'day', 'move', 'come']

Avant :     People say "lightning only strikes once".  Well, guess what?  We were a party of six years ago at th
Après :     ['people', 'say', 'lightning', 'strike', 'guess', 'party', 'year', 'location', 'seat', 'booth']

Avant :     6/9/18 I went to this restaurant for the very first time. I was in the mood for a calzone, called ah
Après :     ['restaurant', 'time', 'mood', 'calzone', 'call', 'order', 'pick', 'starving', 'begin', 'pick']

Avant :     Only came here so my three year old could burn off some energy. The children's play center was disgu
Après :     ['come', 'year', 'burn', 'energy', 'child', 'play', 'center', 'food', 'trash', 'place']

Avant :     Since this is a newcomer I wish it would have been better. Unfortunately it was lousy food. 
The chi
Après :     ['newcomer', 'wish', 'food', 'chip', 'fry', 'oil', 'make', 'stomach', 'enchilada', 'call']

Avant :     Slow service was the rule of the day. The food wasn't particularly noteworthy either. The fresh sque
Après :     ['service', 'rule', 'day', 'food', 'squeeze', 'pulp', 'juice', 'want', 'eat', 'order']

Avant :     I wasn't extremely impressed. The banana pancakes where meh. And the hash browns were also meh. Alth
Après :     ['banana', 'pancake', 'meh', 'hash_brown', 'meh', 'hair', 'come', 'know']

Avant :     Over-priced, slow service. It took 5 minutes to get a seat at 9am, with the restaurant half empty; w
Après :     ['price', 'service', 'take', 'minute', 'seat', 'restaurant', 'wait', 'staff', 'minute', 'seat']

Avant :     I walked in at 9:30 on a Tuesday and the owner told me they were closed. They need to change the hou
Après :     ['walk', 'owner', 'tell', 'need', 'change', 'hour', 'lock_door', 'close']

Avant :     This place is sad man. Real sad...I thought I'd give it a chance and taste about everything. The NAN
Après :     ['place', 'man', 'thought', 'give_chance', 'taste', 'masala', 'tomato', 'chutney', 'come', 'bottle']

Avant :     I used to LOVE going to India Palace for their lunch & dinner buffets. I would say in the past year,
Après :     ['use_love', 'lunch', 'dinner', 'buffet', 'say', 'year', 'cleanliness', 'customer_service', 'decline', 'server']

Avant :     The food can be better. 
There were lot of dishes and lot of choices, both in vegetarian and non-veg
Après :     ['food', 'lot', 'dish', 'lot', 'choice', 'vegetarian', 'ambience', 'restaurant', 'taste', 'food']

Avant :     Really didn't like the food here. Wasn't warm at all. I looked like it was leftover food. Very few o
Après :     ['food', 'look', 'leftover', 'food', 'option', 'choose']

Avant :     Very bad experience!  I would never go to that restaurant. First of all, the filling of the samosa w
Après :     ['experience', 'restaurant', 'fill', 'samosa', 'spoil', 'piece', 'mutton', 'curry', 'folk', 'try']

Avant :     This place is terrible! I've been coming here for a few years with my daughters and although they ar
Après :     ['place', 'come', 'year', 'daughter', 'topping', 'salad', 'work', 'kid', 'mind', 'topping']

Avant :     I love me some salad.  

Usually, I love me some Saladworks.  

Not this Saladworks, though.  

One 
Après :     ['love', 'salad', 'love', 'saladwork', 'saladwork', 'pasta', 'spill', 'romaine', 'pasta', 'problem']

Avant :     Ordered online through Yelp and got roast beef hoagie with extra Swiss cheese. I got the sandwich an
Après :     ['order', 'yelp', 'roast_beef', 'hoagie', 'cheese', 'sandwich', 'call', 'describe', 'mix', 'guy']

Avant :     Recently moved into their delivery area and called in an order Friday night while my wife and I pain
Après :     ['move', 'delivery', 'area', 'call', 'order', 'night', 'wife', 'paint', 'pull', 'specialty']

Avant :     Please do not go here if you want good service. I use to frequent this place 3 nights a week after I
Après :     ['want', 'service', 'use', 'place', 'night', 'week', 'leave', 'gym', 'change', 'heart']

Avant :     It seems like s cool place however they check all black males for belts and every other rule that th
Après :     ['seem', 'place', 'check', 'male', 'belt', 'rule', 'watch', 'male', 'check']

Avant :     The food is amazing, but the wait is terrible. We had to wait for an hour before getting seated. Aft
Après :     ['food', 'wait', 'wait', 'hour', 'seat', 'seat', 'wait', 'hour', 'food', 'table']

Avant :     The service was lousy and the food made me violently  ill for the remainder of the day.  My experien
Après :     ['service', 'food', 'make', 'remainder', 'day', 'experience', 'recommend', 'place']

Avant :     Review base on customer service only. 
We arrived about 30 mins before closing. There was a few work
Après :     ['review', 'base', 'customer_service', 'arrive', 'min', 'close', 'worker', 'kitchen', 'area', 'look']

Avant :     Hopefully a bad night but I doubt it based on  the lack of customers. No ribs or pulled pork on a Sa
Après :     ['night', 'doubt', 'base', 'lack', 'customer', 'pull_pork', 'night', 'food', 'chicken', 'slice']

Avant :     I stopped in for pickup at 6:30 on a Thursday night. I walked up the the take-out window already kno
Après :     ['stop', 'night', 'walk', 'take', 'window', 'know', 'want', 'look', 'stand', 'window']

Avant :     Ummmm...Did I miss something? The food is mediocre, the service is okay, the armed guard in the park
Après :     ['miss', 'food', 'service', 'okay', 'guard', 'parking_lot', 'give', 'neighborhood', 'pay', 'lot']

Avant :     I ate here based on a recommendation, but was very disappointed in the food.  Honesty taste like che
Après :     ['eat', 'base', 'recommendation', 'food', 'taste', 'diner', 'food', 'service', 'fry']

Avant :     Terrible customer service! I tried to place an order for delivery and was told the chef that makes t
Après :     ['customer_service', 'try', 'place', 'order', 'delivery', 'tell', 'chef', 'make', 'dinner', 'leave']

Avant :     Worst service ever.  
After waiting 45 mins called and they say driver just left 20 mins late same s
Après :     ['service', 'wait_min', 'call', 'say', 'driver', 'leave', 'min', 'story', 'hour', 'food']

Avant :     Meh. It's not New York quantity or quality, but has a New York price tag... I was charged to change 
Après :     ['quality', 'price_tag', 'charge', 'change', 'provolone', 'cheese', 'lunchbox', 'size', 'sandwich', 'half']

Avant :     New York deli? You have to be kidding me. After living in the northeast for 6 years I was excited to
Après :     ['kid', 'live', 'year', 'excite', 'see', 'establishment', 'carrollwood', 'place', 'staff', 'food']

Avant :     This place is way overpriced. Sandwiches are not large enough for the price. I will not be surprised
Après :     ['place', 'overprice', 'sandwich', 'price', 'surprise', 'business', 'tampa']

Avant :     Not sure if this franchise owner realizes that he is in a highly competitive market in Carrollwood. 
Après :     ['franchise', 'owner', 'realize', 'market', 'carrollwood', 'competitor', 'side', 'dale', 'mabry', 'jason']

Avant :     They have opened a new location just outside of Scott AFB.  The good was delicious....but....we wait
Après :     ['open', 'location', 'wait', 'hour', 'food', 'excuse', 'service', 'meat', 'cook', 'see']

Avant :     Have been at this location a couple times 
There is no leadership at this location and it shows. 
Si
Après :     ['location', 'couple', 'time', 'leadership', 'location', 'show', 'location', 'shame', 'cheese', 'come']

Avant :     There are some real serving issues with this restaurant. All the girls run around like chickens with
Après :     ['serve', 'issue', 'restaurant', 'girl', 'run', 'chicken', 'head', 'structure', 'wait', 'table']

Avant :     This is our second time going to capital cellars. I'm leaving my review based on price point and com
Après :     ['time', 'capital', 'cellar', 'leave', 'review', 'base', 'price', 'point', 'comparison', 'price']

Avant :     I tried to book reservations through yelp, they confirmed my reservations, i called the night before
Après :     ['try', 'book_reservation', 'yelp', 'confirm_reservation', 'call', 'night', 'confirm_reservation', 'hang', 'time', 'speak_manager']

Avant :     Morton's Steakhouse simply isn't worth it.  Everything about my dinner there was lackluster.  But th
Après :     ['dinner', 'question', 'steak', 'overcook', 'burn', 'blacken', 'lack_flavor', 'date', 'filet', 'cook']

Avant :     The food is not good at all. Came here for resturant week and the Lobster Bisque was the most disgus
Après :     ['food', 'good', 'come', 'week', 'lobster', 'bisque', 'thing', 'spoil', 'potato', 'taste']

Avant :     Refused or didn't know how to redeem DD coupon.  Created a very stressful transaction because they d
Après :     ['refuse', 'know', 'coupon', 'create', 'transaction', 'know', 'coupon', 'work']

Avant :     The food here is not good!!! I ordered beef egg foo young that was tasteless! Chicken with garlic sa
Après :     ['food', 'order', 'beef', 'egg', 'chicken', 'garlic', 'sauce', 'bit', 'chicken', 'onion_pepper']

Avant :     Disappointed. Ordered an oyster poboy. Small with very few oysters.  ... maybe six. To make it you n
Après :     ['order', 'oyster', 'poboy', 'oyster', 'make', 'need', 'load', 'sandwich', 'oyster']

Avant :     Way overpriced and extremely rude.  Tried to call for reservation several times and nobody answered.
Après :     ['way_overprice', 'try', 'call', 'reservation', 'time', 'answer', 'mention', 'person', 'assume', 'ask']

Avant :     Nothing right in this place except they had a clean restroom. Fries were cold and dark, as they usua
Après :     ['place', 'restroom', 'fry', 'dark', 'order', 'take', 'minute', 'people', 'serve', 'service']

Avant :     Thursday night at 7pm shouldn't be too bad right???? NOPE! 25 minutes so far in the drive thur! Two 
Après :     ['night', 'pm', 'minute', 'drive', 'thur', 'car', 'leave', 'turn', 'crap']

Avant :     Today I was very disappointed 
I'm allergic to avocado I order 4 street tacos without avocado they a
Après :     ['today', 'disappoint', 'avocado', 'order', 'part', 'fry', 'guy', 'drive', 'throw', 'keep']

Avant :     I know that working for fast food restaurant tends to be something that is done in high school wow t
Après :     ['know', 'work', 'food', 'restaurant', 'tend', 'school', 'develop', 'attention_detail', 'customer', 'staff']

Avant :     I will never patronize King ribs on Georgetown Rd ever again. What is the point of calling in an ord
Après :     ['patronize', 'king', 'rib', 'rd', 'point', 'call', 'order', 'arrive', 'minute', 'tell']

Avant :     Floor was dirty. Food lacked taste, not a lot of selection.  Service was good nice waitress. Glad it
Après :     ['floor', 'food', 'lack', 'taste', 'lot', 'selection', 'service', 'waitress', 'plate', 'turn']

Avant :     Very disappointed in our order tonight always order the same things. Special chow mien, sweet and so
Après :     ['order', 'tonight', 'order', 'thing', 'pork', 'green', 'deliver', 'tell', 'time', 'order']

Avant :     I ordered my meal and when I went to pick it up they had no history of my order. I reorder the same 
Après :     ['order', 'meal', 'pick', 'history', 'order', 'reorder', 'thing', 'store', 'step', 'air']

Avant :     This place came highly recommended by friends who've lived in the area for a long time and I cant sa
Après :     ['place', 'come', 'recommend', 'friend', 'live', 'area', 'time', 'say', 'disappoint', 'pizza_crust']

Avant :     Food was average, a bit too much oil. But the fact that they charged us $8 for a small plastic bottl
Après :     ['food', 'bit', 'oil', 'fact', 'charge', 'plastic', 'bottle', 'pelligrino', 'sparkle', 'water']

Avant :     I tried this place for takeout last night. I called in and they said 30 min but it took almost an ho
Après :     ['try', 'place', 'night', 'call', 'say', 'min', 'take', 'hour', 'food', 'lamb']

Avant :     I find the great reviews for this place a bit confounding.  It's the worst Indian buffet I've had, e
Après :     ['find', 'review', 'place', 'bit', 'confound', 'buffet', 'ingredient', 'taste', 'meatball', 'come']

Avant :     Did a "Dinner on Don", we were hoping for great Indian a couple weeks ago. Checked out yelp and ther
Après :     ['dinner', 'hope', 'couple_week', 'check', 'yelp', 'lot', 'review', 'downtown', 'make_reservation', 'arrive']

Avant :     Waited almost 2 hours for a to-go order. Got home and they forgot the appetizer I ordered. Good was 
Après :     ['wait', 'hour', 'order', 'home', 'forgot', 'appetizer', 'order', 'consider', 'dish', 'pop']

Avant :     We were visiting from Portland Oregon and wanted to get something other than a burger in our road tr
Après :     ['visit', 'portland', 'want', 'trip', 'call', 'takeout', 'order', 'quote', 'minute', 'wait']

Avant :     The good: Quick delivery of food.

The not so good:  The palak paneer and chicken tikka masala were 
Après :     ['delivery', 'food', 'paneer', 'tikka', 'masala', 'soup', 'lot', 'chicken', 'cheese', 'naan']

Avant :     Very bad place ! Very bad service ! I don't recommend this place to anyone ! Even with few customers
Après :     ['place', 'service', 'recommend', 'place', 'customer', 'management', 'order', 'take', 'hour', 'update']

Avant :     I tried this place for takeout last night. I called in and they said 30 min but it took almost an ho
Après :     ['try', 'place', 'night', 'call', 'say', 'min', 'take', 'hour', 'food', 'lamb']

Avant :     The food was good but service was ridiculous. A friend and I had bought a coupon book in support of 
Après :     ['food', 'service', 'friend', 'buy', 'coupon', 'book', 'support', 'school', 'baseball', 'team']

Avant :     Walked in about 3pm. Five employees huddled around the bar.  Several looked at us no one spoke. Fina
Après :     ['walk', 'pm', 'employee', 'huddle', 'bar', 'look', 'spoke', 'walk', 'call', 'manager']

Avant :     Way over -priced . Burgers are very dry and tough .
Après :     ['way', 'price', 'burger', 'dry']

Avant :     Don't get a to go order. You will get a tiny burger and have added gratuity added. Not a good pick a
Après :     ['order', 'burger', 'add_gratuity', 'add', 'pick', 'bill', 'burger', 'buck']

Avant :     Two stars only because the server did his best. Ordered the mushroom Swiss burger... Asked for it me
Après :     ['star', 'server', 'order', 'mushroom', 'ask', 'medium', 'come', 'server', 'take', 'bring']

Avant :     We will not return to this place. Ordered Fried Green Tomato Sliders and mushroom Swiss sliders!  Br
Après :     ['return', 'place', 'order', 'fry', 'tomato', 'slider', 'mushroom', 'slider', 'bread', 'sandwich']

Avant :     Overpriced! Service not great. Our server didn't even know the menu. Tables not cleaned well. Burger
Après :     ['overprice', 'service', 'server', 'know', 'menu', 'table', 'clean', 'burger']

Avant :     Terribly slow service, staggeringly high prices, and tonight it was 5 minutes to 10 o'clock and the 
Après :     ['slow', 'service', 'price', 'tonight', 'minute', 'look', 'say', 'loss', 'pie', 'gain']

Avant :     Sorely disappointed.

Ordered take-out on a Friday night: Lamb & Bison burgers w. Sweet Potato Fries
Après :     ['disappoint', 'order', 'take', 'night', 'potato', 'fry', 'vidalia', 'onion_ring', 'flavor', 'season']

Avant :     This place is a total ripoff! The burgers are tiny & bland. For $13 I expected an amazing burger. I 
Après :     ['place', 'burger', 'bland', 'expect', 'burger', 'order', 'cheese', 'patty', 'cheese', 'people']

Avant :     We saw our server twice. Once to order and once to bring the check. What I ordered did not come as r
Après :     ['see', 'server', 'order', 'bring', 'check', 'order', 'come', 'request', 'discover', 'person']

Avant :     I ordered the Cobb Salad with Chicken. No cobb lettuce. Strange. The chicken was diced but as also d
Après :     ['order', 'lettuce', 'chicken', 'dice', 'dry', 'chewy', 'way', 'green', 'chicken', 'serve']

Avant :     Food was fresh and good. Even though there were hardly any customers, service was slow. Lots of conv
Après :     ['food', 'customer_service', 'lot', 'conversation', 'staff']

Avant :     Salad was great. The breadsticks were undercooked. Their counter service was a little wanki..Some of
Après :     ['salad', 'breadstick', 'undercooke', 'counter', 'service', 'woman', 'work', 'attitude', 'man', 'seem']

Avant :     Went for dinner and after telling the pie maker she needed to speak louder, her excuse was she had a
Après :     ['dinner', 'tell', 'pie', 'maker', 'need', 'speak', 'excuse', 'throat', 'manager', 'talk']

Avant :     Tried the beef negamaki. Came with a small bowl of stale tasting rice, a small salad and miso soup, 
Après :     ['try', 'beef', 'come', 'bowl', 'taste', 'rice', 'salad', 'miso_soup', 'couple', 'clump']

Avant :     I ordered my food online. I walk in about 10 mins after the time it was supposed to be ready. Guy as
Après :     ['order', 'food', 'walk', 'min', 'time', 'suppose', 'guy', 'ask', 'help', 'say']

Avant :     Worst experience. First time here. Ordered me and my kids food. Got it. My order was wrong so I told
Après :     ['experience', 'time', 'order', 'kid', 'food', 'order', 'wrong', 'tell', 'wait_minute', 'kid']

Avant :     The worst service I've had at a restaurant in years. Went on a Sunday for lunch and our waitress too
Après :     ['service', 'restaurant', 'year', 'lunch', 'waitress', 'take', 'step', 'process', 'act', 'favor']

Avant :     Still waiting for the gift card apology that was promised. Maybe their oversight or just a comment o
Après :     ['wait', 'gift_card', 'apology', 'promise', 'oversight', 'comment', 'yelp', 'make', 'customer_service', 'appear']

Avant :     Not impressed. I am giving this two stars because of the beer selection, otherwise I would give it o
Après :     ['impress', 'give_star', 'beer_selection', 'give_star', 'bartender', 'give', 'sample', 'beer', 'taste', 'management']

Avant :     Worst service out of any establishment in Nashville. The buns and burgers are so dry and have zero f
Après :     ['service', 'establishment', 'bun', 'burger', 'dry', 'flavor', 'topping', 'cheese', 'fry', 'thing']

Avant :     Worst To Go experience! For some bass akwards reason I need to know the name of the person who took 
Après :     ['experience', 'bass', 'akward', 'reason', 'know', 'name', 'person', 'take', 'order', 'way']

Avant :     Hard to be a fan when you are basically assaulted by the staff! Rude and ridiculously unprofessional
Après :     ['fan', 'assault', 'staff_rude', 'door', 'people', 'lady', 'night', 'manager']

Avant :     The service was terrible. Waited 20-30 minutes before anyone even noticed we were there. Waitress sa
Après :     ['service', 'wait_minute', 'waitress', 'say', 'shift_change', 'know', 'table', 'take', 'minute', 'bring']

Avant :     I really hate to give bad reviews. With that being said, how am I supposed to give a good review if 
Après :     ['hate', 'give', 'review', 'say', 'suppose', 'give', 'review', 'serve', 'time', 'time']

Avant :     Worst Wawa ever. It's filthy. Being filthy isn't even the worst part of this store. The worst part i
Après :     ['wawa', 'part', 'store', 'part', 'customer_service', 'lack', 'employee', 'act', 'force', 'work']

Avant :     Very upsetting experience today. I drove 30 minutes to come here and was informed they were out of t
Après :     ['experience', 'today', 'drive', 'minute', 'come', 'ingredient', 'make', 'sandwich', 'ask', 'quizno']

Avant :     Why did it just take over 5 minutes for me to get only a medium coffee?  Because there wasn't any co
Après :     ['take', 'minute', 'coffee', 'coffee', 'make', 'coffee', 'establishment', 'addition', 'non', 'customer']

Avant :     pricey food and sub-par service. the half of any sandwich or melt looks like a crust. only three peo
Après :     ['food', 'sub_par', 'service', 'half', 'sandwich', 'melt', 'look', 'crust', 'people', 'take']

Avant :     Maybe it's too much to expect but a pleasant staff would be nice.  I had an awful experience today w
Après :     ['expect', 'staff', 'nice', 'experience', 'today', 'nashiir', 'individual', 'take', 'step', 'realize']

Avant :     It's another Corporate Day at this Cosi. Everybody running around doing everything but ensuring the 
Après :     ['day', 'cosi', 'run', 'ensure', 'food', 'prepare', 'ask', 'food', 'walk', 'onion_soup']

Avant :     This is the worst Chik-fil-A I have ever been to. On multiple occasions I have waited over 25 minute
Après :     ['fil', 'occasion', 'wait_minute', 'food', 'response', 'back', 'seem', 'back', 'occasion', 'sandwich']

Avant :     WORST EVER!!! We ordered a "homemade" meatball sandwich. No sauce. Cold and soggy meatballs. Never a
Après :     ['order', 'meatball', 'sandwich', 'sauce', 'meatball']

Avant :     Ordered a very basic margherita pizza which was very soggy. Can't speak for the rest of the of the m
Après :     ['order', 'soggy', 'speak', 'rest', 'menu']

Avant :     New Orleans use to be all about service. My wife and I were running a few minutes late because our 1
Après :     ['use', 'service', 'wife', 'run', 'minute', 'year', 'need', 'change', 'seat', 'father']

Avant :     We have been to Mr Bs tons of times, unfortunately I will be labeling them as the next great restaur
Après :     ['ton', 'time', 'label', 'restaurant', 'fall', 'victim', 'appal', 'service', 'restaurant', 'quality']

Avant :     The French bread is crusty an warm but... Ice cold butter? Seriously!

Their shrimp & grits meal is 
Après :     ['bread', 'ice', 'butter', 'shrimp_grit', 'meal', 'saute', 'smoke', 'bacon', 'wrap', 'serve']

Avant :     First, food was good in this busy BUSY place, but service was not what it should have been for the p
Après :     ['food', 'place', 'service', 'price', 'food', 'table', 'shrimp_grit', 'help', 'clean', 'edge']

Avant :     I just went to Mr. B's about an hr ago to see what all the commotion was about with their seafood gu
Après :     ['see', 'commotion', 'seafood_gumbo', 'portion', 'thought', 'prank', 'waiter', 'serve', 'lbs', 'size']

Avant :     Leaving hungry. My fish was undercooked, floppy, gloppy and bloody. The Royal Street Salad with baco
Après :     ['leave', 'fish', 'undercooke', 'street', 'salad', 'bacon', 'cheese', 'herb', 'vinaigrette', 'overdress']

Avant :     Food was great. Service was poor. I went for my Dads birthday and we were rushed out the whole time.
Après :     ['food', 'service', 'dad', 'birthday', 'rush', 'time', 'server', 'take', 'menu', 'hand']

Avant :     Worst service I've encountered outside of Dick's Last Resort (where it's kind of expected).

Missed 
Après :     ['service', 'encounter', 'dick', 'resort', 'kind', 'expect', 'miss', 'drink', 'order', 'top']

Avant :     I had the BBQ shrimp that I highly doubt ever saw a BBQ.  They were super salty.  I also had the duc
Après :     ['doubt', 'see', 'salty', 'duck', 'spring_roll', 'bland', 'dipping_sauce', 'disgust', 'salt', 'want']

Avant :     I'm okay with spending $100 on a meal if the quality is good, but I was disappointed with Mr B's. Th
Après :     ['spend', 'meal', 'quality', 'disappoint', 'bread', 'husband', 'order', 'appetizer', 'share', 'waiter']

Avant :     Wow, really bad gumbo. My partner started with the seafood version, but the seafood tasted old and t
Après :     ['gumbo', 'partner', 'start', 'seafood', 'version', 'seafood', 'taste', 'flavor', 'roux', 'come']

Avant :     Kinda disappointed The price was really high and it's not that good Our table isn't clean and the fo
Après :     ['price', 'table', 'food', 'order', 'boyfriend', 'order', 'chicken', 'say', 'pay']

Avant :     Save your money. I cook better tasting food than this place.
Après :     ['save_money', 'cook', 'taste', 'food', 'place']

Avant :     The food is excellent, no matter what you order. The wine is overpriced. The service is good except 
Après :     ['food', 'matter', 'order', 'wine', 'overprice', 'service', 'ask', 'bread', 'dessert', 'problem']

Avant :     I'm not gonna lie, their GUMBO looked and tasted like BURNT MOLE (it's a Latin dish for those who mi
Après :     ['lie', 'gumbo', 'look', 'taste', 'burn', 'mole', 'dish', 'know', 'mole', 'thing']

Avant :     Seating was quick during peak time but food was horrible. Crab cake was very oily. $50 steak was bla
Après :     ['seat', 'peak', 'time', 'food', 'crab_cake', 'steak', 'bland', 'recommend']

Avant :     A disappointment from the moment we were sat in the back dining room....had to walk through the kitc
Après :     ['moment', 'sit', 'dining_room', 'walk', 'kitchen', 'freeze', 'ask', 'move', 'refuse', 'state']

Avant :     The service was slow and it felt like we were an afterthought.  And the food was just okay. Renown f
Après :     ['service_slow', 'feel', 'afterthought', 'food', 'renown', 'barbecue', 'shrimp', 'dessert']

Avant :     My husband and I were visiting New Orleans for what seems like the millionth time and each time we c
Après :     ['husband', 'visit', 'seem', 'time', 'time', 'come', 'try', 'restaurant', 'gumbo', 'suppose']

Avant :     Host stopped us from coming in due to one of us not wearing sleeves, and yet there was some girls in
Après :     ['host', 'stop', 'come', 'wear', 'sleeve', 'girl', 'wear', 'outfit', 'homophobic', 'way']

Avant :     The service was very bad but the food was above average. The pork chop and rabbit dishes were fantas
Après :     ['service', 'food', 'pork_chop', 'rabbit', 'dish', 'petit', 'enjoy', 'pork_belly', 'appetizer', 'truffle_fry']

Avant :     Wish I could give zero. Grilled fish was inedible. Asparagus was about 2 months overdue for harvesti
Après :     ['wish', 'give', 'grill', 'fish', 'month', 'harvesting', 'ask', 'want', 'water', 'drink']

Avant :     I'm only giving it two stars but I do think this is a cool place. My problem was that service lagged
Après :     ['give_star', 'think', 'place', 'problem', 'service', 'lag', 'people', 'wait', 'manage', 'avoid']

Avant :     Gotta say I was seriously disappointed in Mr. B's. The Gumbo YaYa was disgusting. 
It just tasted li
Après :     ['say', 'disappoint', 'taste', 'burn', 'roux', 'service', 'good']

Avant :     As of 10/14/2014 this location is closed.

Words To make this review long enough.

Im sure the servi
Après :     ['location', 'close', 'word', 'make', 'review', 'service', 'freak', 'guess', 'know']

Avant :     It took a long time to write this review but if I could give it a lower mark I would.  When I arrive
Après :     ['take', 'time', 'write_review', 'give', 'mark', 'arrive', 'pick', 'cake', 'sister', 'baby']

Avant :     I went in here the other day for a rehearsal dinner and it was the worst service. 2 waiters had our 
Après :     ['day', 'rehearsal', 'dinner', 'service', 'waiter', 'table', 'cup', 'time', 'ask', 'breadstick']

Avant :     Olive Gardens quality continues to drop over the years. Use to be a nice dining experience. The wait
Après :     ['garden', 'quality', 'continue', 'drop', 'year', 'use', 'dining_experience', 'waiter', 'order', 'chicken']

Avant :     Staff was rude. Especially the actual hosts waiting in the front of the restaurant. Was not acknowle
Après :     ['staff_rude', 'host', 'wait', 'restaurant', 'acknowledge', 'walk', 'host', 'talk', 'bother', 'stop']

Avant :     Olive garden you disappoint me.  It's been years since I have been here and I remember why.  Carpets
Après :     ['olive_garden', 'disappoint', 'year', 'remember', 'carpet', 'table', 'greasy', 'food', 'take', 'mom']

Avant :     Wow really.. Stop pushing me.. I'm still eating don't ask if it's cash or credit.. 
Soup was great m
Après :     ['stop', 'push', 'eat', 'ask', 'cash', 'credit', 'soup', 'server', 'eat', 'peace']

Avant :     I usually like OG, and I understand they're a chain restaurant...but this location is okay...salad w
Après :     ['understand', 'chain', 'restaurant', 'location', 'salad', 'bread', 'tackle', 'waitress', 'refill']

Avant :     Food was great but the service was too casual. Took a long time for the order to be ready. The waite
Après :     ['food', 'service', 'casual', 'take', 'time', 'order', 'waiter', 'complain', 'tip', 'share']

Avant :     Food was horrible the waiter pushed the wine on us me saying no my friend not understanding English 
Après :     ['food', 'waiter', 'push', 'wine', 'say', 'friend', 'understand', 'english', 'realize', 'dollar']

Avant :     Never will we go back to this place. First off we weren't ready to order entree right away so we jus
Après :     ['place', 'order', 'order', 'salad', 'bread', 'drink', 'work', 'come', 'order', 'tell']

Avant :     Went to lunch with my 1 year old grandson.  But it was not a good day!  My grandson received his lun
Après :     ['lunch', 'year', 'grandson', 'day', 'grandson', 'receive', 'lunch', 'forgot', 'broccoli', 'receive']

Avant :     Came here for a bite around 415 today. Place was pretty empty got seated pretty quickly which is gre
Après :     ['come', 'bite', 'today', 'place', 'seat', 'one', 'come', 'take', 'order', 'give']

Avant :     Not sure if it's right that sushi was warm when it came to the table. Service was sloooooooow.
Après :     ['come', 'table', 'service', 'sloooooooow']

Avant :     Very disappointing food.  Too bad I cannot give a minus 1 star. The food was just below average and 
Après :     ['food', 'give', 'food', 'overprice', 'know', 'food', 'know', 'imitation', 'try', 'pass']

Avant :     The ceviche was delicious.  The service was good. The pescardo macho had  no taste and the muscle wh
Après :     ['service', 'taste', 'muscle', 'gritty', 'bring', 'server', 'attention', 'say', 'like', 'answer']

Avant :     This place is not authentic Peruvian food and there is no space between the tables. It's a very smal
Après :     ['place', 'food', 'space', 'table', 'hole', 'food', 'price', 'recommend', 'place']

Avant :     We were seated quickly upon entering for dinner at 5:30 pm this evening, we waited at our table for 
Après :     ['seat', 'enter', 'dinner', 'evening', 'wait', 'table', 'minute', 'leave', 'greet', 'server']

Avant :     Peruvian cuisine is my absolute favorite and I eat it very often. But this place isn't my cup of tea
Après :     ['eat', 'place', 'cup', 'tea', 'service', 'bit', 'consider', 'food', 'plate', 'want']

Avant :     I came after 3 yrs thinking the quality of food would be good and everything tasted old and reheated
Après :     ['come', 'yrs', 'think', 'quality', 'food', 'good', 'taste', 'flavor', 'disappoint', 'fish']

Avant :     Forget about coming here with Children. Not kid friendly establishment at all. Showed terrible custo
Après :     ['forget', 'come', 'child', 'kid', 'establishment', 'show', 'customer_service', 'attempt', 'make', 'rice_bean']

Avant :     We started with the artichoke dip, big mistake. It was cold and the chips were stale. Mentioned to o
Après :     ['start', 'artichoke_dip', 'mistake', 'chip', 'mention', 'waitress', 'come', 'order', 'pizza_crust', 'add']

Avant :     We tried to stop in and wait for a table for the second night in a row. The hostess was utterly usel
Après :     ['try', 'stop', 'wait', 'table', 'night', 'row', 'hostess', 'refuse', 'tell', 'table']

Avant :     I ordered the Chicken Carbonara and after getting halfway through my dish, I realized it did not hav
Après :     ['order', 'chicken', 'carbonara', 'dish', 'realize', 'chicken', 'apologize', 'help', 'waiter', 'tell']

Avant :     So I'm walking around looking for a place to eat and stop in here because it's not a chain type plac
Après :     ['walk', 'look', 'place', 'eat', 'stop', 'chain', 'type', 'place', 'look', 'fish_tank']

Avant :     after reading other reviews of this place. Nothing special. Wouldn't take friends to. Unless they we
Après :     ['read_review', 'place', 'take', 'friend', 'one', 'service', 'food']

Avant :     I took my family in to eat last Saturday after the Cardinals game and this place was absolutely disg
Après :     ['take', 'family', 'eat', 'cardinal', 'game', 'place', 'food', 'half', 'slice', 'pizza']

Avant :     Very poor experience, the waiter was very rude. The AC doesn't work well and can't cool the place. F
Après :     ['experience', 'waiter', 'rude', 'ac', 'work', 'place', 'food', 'salad']

Avant :     Maybe it was just me - but nothing about my experience here was worth repeating.

From reading the o
Après :     ['experience', 'repeat', 'reading_review', 'guess', 'place', 'cuisine', 'walk_distance', 'downtown', 'venue', 'arch']

Avant :     Ok food, nothing special, it's a huge menu of all types of food, kind of like your poor man's Cheese
Après :     ['food', 'menu', 'type', 'food', 'man', 'cheesecake_factory', 'service', 'place', 'feel', 'need']

Avant :     The worst service I have ever experienced. .... waited 30min only thing we got was some plates and w
Après :     ['service', 'experience', 'wait_min', 'thing', 'plate', 'wait', 'moment', 'man', 'try', 'drink']

Avant :     Prices were OK, but I would rather pay a little more to get food (sandwiches) within an hour.  The f
Après :     ['price', 'pay', 'food', 'sandwich', 'hour', 'food', 'sub_par', 'order', 'fish', 'sandwich']

Avant :     I don't think I would some back here. Nothing we really bad. And nothing was really good. 

We got f
Après :     ['think', 'back', 'fry', 'cheese', 'app', 'kid', 'share', 'ribeye', 'flavor', 'hubby']

Avant :     What a Joke.  I am not sure how this place is open.  

I am not a picky person, nor someone who expe
Après :     ['joke', 'place', 'open', 'person', 'expect', 'lot', 'bartender', 'year', 'know', 'day']

Avant :     We went there tonight before a big concert and waited 40 minutes for an appetizer of fried cheese an
Après :     ['tonight', 'concert', 'wait_minute', 'appetizer', 'fry', 'cheese', 'pull_pork', 'nachos', 'club', 'sandwich']

Avant :     Bummed by the service. Very very slow. We sat for a very long time before drink orders. And then eve
Après :     ['bummed', 'service', 'sit', 'time', 'drink', 'order', 'bread', 'drink', 'order', 'consider']

Avant :     Overpriced. Mediocre service. Waited almost five minutes to be seated on a weeknight when there were
Après :     ['overprice', 'service', 'wait_minute', 'seat', 'weeknight', 'table_occupy', 'food', 'price', 'server', 'seem_care']

Avant :     Understaffed and extremely slow service. Waited more than an hour for an omelet and it took almost 1
Après :     ['understaffe', 'service', 'wait', 'hour', 'omelet', 'take', 'minute', 'bring', 'coffee', 'waste_time']

Avant :     Ok...i was tired, hungry and thirsty ..and the entire city was closed. 
Only Caleco's was open.
I wa
Après :     ['city', 'close', 'interior', 'place', 'look', 'cramp', 'chicken_quesadilla', 'feel', 'stuff', 'pizza']

Avant :     Took 50 minutes to get our salad  

Looks busy but I figure there's mostly tourists down here. Food 
Après :     ['take', 'minute', 'salad', 'look', 'figure', 'tourist', 'food', 'fish_tank']

Avant :     This is the worst Italian food I ever had I ordered veal parmigiana it was dry and not tasty so disa
Après :     ['food', 'order', 'veal', 'disappoint']

Avant :     There was 7 of us. So automatic 18% which is appropriate but then your server doesn't have to wait o
Après :     ['server', 'wait', 'bother', 'question', 'need', 'tip', 'food', 'quality']

Avant :     Food and service has gone down hill from previous visits. Working downtown,  Caleco's was a favorite
Après :     ['food', 'service', 'hill', 'visit', 'work', 'downtown', 'coworker', 'order', 'cheese', 'chip']

Avant :     This place is AWFUL!!!! I would not recommend this place to my worse enemy. The food tasted microwav
Après :     ['place', 'recommend', 'place', 'enemy', 'food', 'taste', 'tv', 'dinner', 'way', 'price']

Avant :     I had a horrible experience here. The waiter was great but as I got my appetizer, there was it has a
Après :     ['experience', 'waiter', 'appetizer', 'hair', 'noodle', 'come', 'mine', 'friend', 'hair', 'think']

Avant :     Not so good teppanyaki. Not so bad, but the flavors just don't add up to much. The service seemed a 
Après :     ['flavor', 'add', 'service', 'seem', 'bit']

Avant :     I had a reservation for 8 pm and arrived 5 minutes earlier. We were checked in and was told it wont 
Après :     ['reservation', 'arrive', 'minute', 'check', 'tell', 'sit', 'wait_minute', 'acknowledge', 'tell']

Avant :     The service was great here.  The food quality was def. below average.  Everything from the hibachi t
Après :     ['service', 'food', 'quality', 'def', 'taste', 'chicken', 'taste', 'carrot', 'onion', 'menu']

Avant :     Very disappointed this time. Been coming here for years!! Salmon and steak portions, reduced more th
Après :     ['time', 'come', 'year', 'salmon', 'steak', 'portion', 'reduce', 'cholestrol', 'watch', 'fry_rice']

Avant :     Over an hour wait for our party, we had made "reservations", which really don't mean anything as the
Après :     ['hour', 'party', 'make_reservation', 'mean', 'reserve', 'table', 'arrive', 'wait', 'space', 'party']

Avant :     One fish, two fish. Raw fish, cooked fish.

We walked in for dinner
and they asked us to wait.
We as
Après :     ['fish', 'fish', 'fish', 'cook', 'fish', 'walk', 'dinner', 'ask', 'wait', 'ask']

Avant :     Horrible dinner experience. The place looks dirty, and the chef barely spoke English. I ordered scal
Après :     ['dinner', 'experience', 'place', 'look', 'chef', 'speak', 'order', 'end', 'piece', 'scallop']

Avant :     This restraunt has a tremendous amount of potential to be great. Unfortunately, the level and qualit
Après :     ['amount', 'quality', 'service', 'food', 'drag', 'star', 'opinion', 'birthday', 'dinner', 'day']

Avant :     One of those places when you leave you ask yourself what just happened? The food (pasta) was the sma
Après :     ['place', 'leave', 'ask', 'happen', 'food', 'pasta', 'portion', 'food', 'serve', 'serve']

Avant :     Service is slow.  The wine list is not massive and it's a wine bar, so you can't go wrong, right?  W
Après :     ['service', 'wine_list', 'wine', 'bar', 'wrong', 'bottle', 'order', 'name', 'place', 'tell']

Avant :     Got to go bahn mi's since I had their pho in house before and have eaten at the metairie location. M
Après :     ['mi', 'disappointment', 'miniscule', 'amount', 'meat', 'pork', 'bahn', 'mi', 'dry', 'cumber']

Avant :     Worst ramen in Philly. The soup was greesy and bland, the noodle was not great, and the meat was sup
Après :     ['raman', 'soup', 'meat', 'pork_belly', 'try', 'raman', 'restaurant', 'city', 'say', 'none']

Avant :     I love noodles so ramen is surely one of my favorites but this place was not a favorite. I ordered t
Après :     ['love', 'noodle', 'raman', 'favorite', 'place', 'order', 'friend', 'order', 'miso', 'opinion']

Avant :     Rude, surly, and unhelpful! Service was not just slow, it was HOSTILE. These people act like you are
Après :     ['service', 'people', 'act', 'crash', 'party', 'home', 'apologize', 'order', 'act', 'apologize']

Avant :     I've never had the opportunity to use the disclaimer that the only reason I gave it one star was bec
Après :     ['opportunity', 'use', 'disclaimer', 'reason', 'give_star', 'star', 'option', 'begin', 'service', 'ask']

Avant :     Tried medium spicy chicken and burned my tongue so badly that I wanted to cry. And I love spicy food
Après :     ['try', 'chicken', 'burn', 'tongue', 'want', 'cry', 'love', 'food', 'bring', 'serve']

Avant :     How this place got 2 1/2 stars is beyond me. One of our party received half their order. There was n
Après :     ['place', 'star', 'party', 'receive', 'order', 'silverware', 'dishwasher', 'morning', 'titan', 'game']

Avant :     Horrible Staff. Horrible Service. Horrible Selection. Horrible music. I would recommend to skip this
Après :     ['staff', 'service', 'selection', 'music', 'recommend', 'place']

Avant :     Don't waste your time coming here. The bartender was pleasant, but the owner/manager was a jerk and 
Après :     ['waste_time', 'come', 'bartender', 'owner', 'manager', 'jerk', 'ruin', 'experience']

Avant :     What a shit show. Waited an hour for food that never came. In the middle of a lovely city this looke
Après :     ['shit', 'show', 'wait', 'hour', 'food', 'come', 'city', 'look', 'mistake', 'comp']

Avant :     I have eaten here at least 3 times in past year or so. I always get the same thing, their signature 
Après :     ['eat', 'time', 'year', 'thing', 'signature', 'burger', 'night', 'year', 'nickel', 'dim']

Avant :     Highly disappointed!  We decided to try Underground after a day out on Broadway.  We were enticed by
Après :     ['decide', 'try', 'day', 'entice', 'sign', 'suggest', 'burger', 'find', 'ask', 'order']

Avant :     When visiting Nashville, I was told to visit this horrible establishment.  The burgers are about 1/1
Après :     ['visit', 'nashville', 'tell', 'visit', 'establishment', 'burger', 'size', 'picture', 'cover', 'sauce']

Avant :     They claim to have the #1 Burger in Nashville? Not even close. No option for bacon (some would argue
Après :     ['claim', 'option', 'bacon', 'argue', 'burger', 'burger', 'bacon', 'overkill', 'flavor', 'burger']

Avant :     I will say this, the place looks cute and is not a disaster like the previous place.  I've been in t
Après :     ['say', 'place', 'look', 'disaster', 'place', 'time', 'visit', 'order', 'cupcake', 'daughter']

Avant :     It came down to price...this place is waaay, way overpriced for the quality of food, the service, an
Après :     ['come', 'price', 'place', 'way_overprice', 'quality', 'food', 'service', 'location', 'town', 'wonder']

Avant :     I had a bad experience here a few years ago. We came for a valentine's dinner, and made reservations
Après :     ['experience', 'year', 'come', 'valentine', 'dinner', 'make_reservation', 'month', 'advance', 'reservation', 'wait_minute']

Avant :     Overpriced, food just okay. Very small basket of chips and they charge for more...even if you buy th
Après :     ['overprice', 'food', 'basket', 'chip', 'charge', 'buy', 'queso', 'beef', 'charge', 'share']

Avant :     Food was ok. Wife ordered Chicken Taco Salad, came as beef. I ordered Combination K because I was hu
Après :     ['food', 'wife', 'order', 'salad', 'come', 'beef', 'order', 'combination', 'suppose', 'ask']

Avant :     I used the mobile app, the bill was for $31  and I asked a friend to pick  it up.
The store refused 
Après :     ['use', 'app', 'bill', 'ask', 'friend', 'pick', 'store', 'refuse', 'give', 'order']

Avant :     I eat here more than I probably should. And they screw up my order at least 50% of the time. They do
Après :     ['eat', 'screw', 'order', 'time', 'seem', 'understand', 'request', 'hold', 'onion']

Avant :     It's Taco Bell. It's crap food, terrible service. Literally the only expectation is that the place i
Après :     ['crap', 'food', 'service', 'expectation', 'place', 'advertise', 'place', 'minute', 'way', 'tell']

Avant :     I've ordered here several times and the person on the phone always sounds confused. It's almost as i
Après :     ['order', 'time', 'person', 'phone', 'sound', 'happen', 'call', 'train', 'order', 'incorrect']

Avant :     The food is really good; and, it is delivered fast. 

I'm sorry to share that I found a very long ha
Après :     ['food', 'deliver', 'share', 'find_hair', 'food', 'order']

Avant :     The service was very slow, taking forever for our apps and food to come out. Food is pretty decent, 
Après :     ['service', 'take', 'app', 'food', 'come', 'food', 'portion', 'option', 'wait', 'bill']

Avant :     Texas Roadhouse does not give you the steak you ask for in the case. I have been here multiple times
Après :     ['give', 'case', 'time', 'ask', 'steak', 'steak', 'come', 'meal', 'steak', 'tourist']

Avant :     I don't appreciate u calling me "big guy" b ! I was  pretty demanding but I wasn't rude about it.b
Après :     ['appreciate', 'call', 'guy', 'rude']

Avant :     The last three times I've gone herr my steak has been over cooked by two grades and the wait staff w
Après :     ['time', 'steak', 'cook', 'grade', 'wait', 'staff', 'mediocre', 'call', 'seating', 'arrive']

Avant :     This place is like a collection of everything that makes me want to move to Canada. 

It's dirty. Th
Après :     ['place', 'collection', 'make', 'want', 'move', 'peanut', 'shell', 'smell', 'bar', 'patron']

Avant :     Pros: it tasted like Pizza
Cons: the dough was frozen and the crust was thicker than most places.  I
Après :     ['pro', 'taste', 'pizza', 'con', 'dough', 'freeze', 'crust', 'place', 'say', 'line']

Avant :     Ewww!!! I used to go to this location all the time, the staff was always friendly and I could count 
Après :     ['use', 'location', 'time', 'staff', 'count', 'employee', 'clean', 'experience', 'today', 'return']

Avant :     The food was bland. we ordered the burrito bowls but they didn't have it with steak so we asked them
Après :     ['food', 'bland', 'order', 'steak', 'ask', 'replace', 'chicken', 'bowl', 'steak', 'charge']

Avant :     Service was terrible staff was talking over the food. the food tasted horrible the rice was very und
Après :     ['service', 'staff', 'talk', 'food', 'food', 'taste', 'rice', 'undercooke', 'order', 'salad']

Avant :     This Moes is absolutely terrible. Besides the bugs covering the walls the food is never fresh and th
Après :     ['moe', 'bug', 'cover', 'wall', 'food', 'staff', 'seem', 'occasion', 'location', 'person']

Avant :     This Moe's is disgusting! I have been to the Moe's in Deptford many times and have always had a plea
Après :     ['deptford', 'time', 'experience', 'time', 'location', 'appal', 'order', 'talker', 'lettuce', 'orange']

Avant :     Stay away from this Moe's. Filthy, I really question the food safety if the restaurant is this dirty
Après :     ['stay', 'question', 'food', 'safety', 'restaurant', 'shane', 'owner', 'management', 'staff']

Avant :     I'm a big fan of Moe's and have always had good experiences at the other locations. We were recently
Après :     ['fan', 'moe', 'experience', 'location', 'shop', 'outlet', 'decide', 'lunch', 'shock', 'place']

Avant :     So, we used to go to this place a lot when it first opened. I'm sorry to say that this place has rea
Après :     ['use', 'place', 'lot', 'open', 'say', 'place', 'hill', 'think', 'place', 'need']

Avant :     I love Moe's but this location is terrible. Everytime we go in the place is a mess. All the tables a
Après :     ['love', 'moe', 'location', 'everytime', 'place', 'mess', 'table', 'booth', 'rip', 'place']

Avant :     It's not even worth my time to type out a full review of this location. Read the other previous revi
Après :     ['time', 'type', 'review', 'location', 'read_review', 'avoid_cost']

Avant :     Sometimes a sticky floor is all you ever need to know about the quality of a restaurant. I really wa
Après :     ['floor', 'need', 'know', 'quality', 'restaurant', 'want', 'place', 'burger', 'top', 'option']

Avant :     I just left build a burger at Green Hills a few minutes ago I had some time to kill before a movie s
Après :     ['leave', 'build', 'hill', 'minute', 'time', 'kill', 'movie', 'stop', 'eat', 'lady']

Avant :     Extremely rude customer service and uncalled for.  What happened to the friendly people here?!?
Après :     ['customer_service', 'happen', 'people']

Avant :     Visited for lunch of a few slices. Available selection was somewhat limited. One of two ordered slic
Après :     ['visit', 'lunch', 'slice', 'selection', 'order', 'slice', 'fall', 'underlie', 'crust', 'miss']

Avant :     Horrible food, the pork was under seasoned. The queso was watery. I will not return.
Après :     ['food', 'pork', 'season', 'queso', 'return']

Avant :     I was honestly quite excited about trying this place out. Looking at the menu and the venue everythi
Après :     ['try', 'place', 'look', 'menu', 'venue', 'look', 'promise', 'food', 'price', 'bland']

Avant :     I ordered from here a while back with Uber Eats and what I had delivered was horrible a stack of sog
Après :     ['order', 'uber_eat', 'deliver', 'stack', 'chip', 'write', 'hear', 'customer_service']

Avant :     I read about this Restaurant in the Sauce magazine and thought it would be a good spot to dine. I wa
Après :     ['read', 'restaurant', 'sauce', 'magazine', 'think', 'spot', 'dine', 'disappoint', 'seat', 'food']

Avant :     We ordered the fried oyster and the catfish platter and sincerely speaking it was terrible. Incredib
Après :     ['order', 'fry', 'oyster', 'catfish', 'platter', 'speak', 'greasy', 'tell', 'cajun', 'food']

Avant :     The shrimp po boy was completely off on proportions. The bread was super thick, hard and chewy and I
Après :     ['boy', 'proportion', 'bread', 'chewy', 'throw', 'half', 'eat', 'bread', 'meal', 'shrimp']

Avant :     I live in Hawaii and came to Philly for vacation. Came here before and the Gumbo is Great. My g/frie
Après :     ['come', 'vacation', 'come', 'gumbo', 'friend', 'sit', 'food', 'vendor', 'seat', 'waitress']

Avant :     Coming from a person who's whole family is from the bayous of Louisiana it's ok. The roux on the gum
Après :     ['come', 'person', 'family', 'gumbo', 'gumbo', 'insult', 'boy', 'po', 'slaw', 'semi']

Avant :     Went here for lunch a few days ago.. Wanted something different than the usual terminal fare so I ga
Après :     ['lunch', 'day', 'want', 'fare', 'give', 'try', 'wish', 'order', 'trainwreck', 'bean_rice']

Avant :     I was expecting more from the fried mac and cheese balls after the Thrillist article said it was the
Après :     ['expect', 'fry', 'cheese', 'ball', 'article', 'say', 'thing', 'market', 'noodle', 'cheese']

Avant :     The alligator sausage po boy is nothing to write home about. It just tastes like regular old sausage
Après :     ['alligator', 'sausage', 'boy', 'write_home', 'taste', 'sausage', 'onion_pepper', 'take', 'sandwich', 'compare']

Avant :     Meh. I came here on account of the Yelp reviews and wasn't impressed in the slightest. I ordered the
Après :     ['come', 'account', 'yelp_review', 'impress', 'order', 'taste', 'spicy', 'lukewarm', 'meat', 'shrimp']

Avant :     Just had a Po boy . not authentic . I expected NOLA french rolls not a philly roll. It was good just
Après :     ['po_boy', 'expect', 'roll', 'roll', 'guess', 'make', 'trip', 'nola']

Avant :     Located inside reading terminal market. The fried mac n cheese, corn bread, and sweet tea was good. 
Après :     ['locate', 'read', 'market', 'fry', 'cheese', 'corn_bread', 'tea', 'cajun', 'fry', 'home']

Avant :     Do not order beignets. It will take forever. Also, make sure someone writes down your order, otherwi
Après :     ['order', 'beignet', 'take', 'make', 'write', 'order', 'lose', 'abyss', 'place', 'organization']

Avant :     Sat at the counter to eat with my sister on a Friday after the lunch crowd had dissipated. We ordere
Après :     ['sit', 'lunch', 'crowd', 'dissipate', 'order', 'train', 'boy', 'guy', 'take', 'order']

Avant :     There are a lot of places to grab coffee in Broad Ripple and many of them are warm inviting spaces t
Après :     ['lot', 'place', 'grab', 'coffee', 'ripple', 'inviting', 'space', 'make', 'want', 'stay']

Avant :     Not coming here again just because it's incredibly awkward. I walked in for the first time and every
Après :     ['come', 'walk', 'time', 'stare', 'make', 'table', 'laptop', 'connect', 'wifi', 'ask']

Avant :     $1 extra for almond milk  =
One small almond milk latte, $4!!
Nice place and people,
 And I'm glad y
Après :     ['milk', 'milk', 'latte', 'place', 'people', 'offer', 'milk']

Avant :     I had high hopes for Benna's West, I love the mural on the interior wall and the vibe of the place b
Après :     ['hope', 'place', 'food', 'let', 'leave', 'review', 'order', 'serve', 'give', 'staff']

Avant :     Coffee was not good in my opinion. Overpriced as well. It's nothing personal but for taste it is ver
Après :     ['coffee', 'opinion', 'overprice', 'taste', 'overprice', 'planning', 'service', 'coffee']

Avant :     In town visiting a friend who suggested this was a good place to grab a quick breakfast on the go. W
Après :     ['town', 'visit', 'friend', 'suggest', 'place', 'grab', 'breakfast', 'walk', 'server', 'customer']

Avant :     I don't mind fast food restaurants and I generally don't have high expectations, but as one who expe
Après :     ['mind', 'food', 'restaurant', 'expectation', 'expect', 'customer_service', 'location', 'fall', 'time', 'come']

Avant :     Every year we purchase multiple gift cards for Brio as mother's day presents. We have been doing thi
Après :     ['year', 'purchase', 'gift_card', 'present', 'year', 'last', 'time', 'purchase', 'gift_card', 'lunch']

Avant :     This organization is unbelievable.  You complain about how they overcharge on a credit card and then
Après :     ['organization', 'complain', 'overcharge', 'credit_card', 'message', 'want', 'help', 'hear', 'idiot', 'say']

Avant :     This is my second time to eat at Brio. It has been in two different cities and as a whole, the chain
Après :     ['time', 'eat', 'city', 'chain', 'sub', 'food', 'service', 'avoid', 'egg', 'benedictano']

Avant :     I'm not sure if this is because we had a terrible waiter or because the color of our skin.  I made a
Après :     ['waiter', 'color', 'skin', 'make_reservation', 'today', 'lunch', 'dress', 'restaurant', 'enter', 'restaurant']

Avant :     Was here last night and over the years I've been here too many times to count.  It's a great locatio
Après :     ['night', 'year', 'time', 'count', 'location', 'food', 'service', 'server', 'rush', 'try']

Avant :     Went to Brios, other couple who was to join us was few minutes late, our server was not
too friendly
Après :     ['brio', 'couple', 'join', 'minute', 'server', 'ask', 'bread', 'drink', 'serve', 'sense']

Avant :     I am a huge fan of Caesars. However, Moxies served me the most brutal Caesar I've had in a long time
Après :     ['fan', 'caesar', 'moxie', 'serve', 'time', 'lack_flavor', 'pizazz', 'sour', 'come', 'moxie']

Avant :     The food at this location is average at best, but the beef dip is absolutely disgusting. The beef is
Après :     ['food', 'location', 'average', 'beef', 'dip', 'beef', 'quality', 'undercooke', 'feed', 'dog']

Avant :     Yikes! What a disappointment !    Went to this restaurant knowing in the past that they took great c
Après :     ['yike', 'disappointment', 'restaurant', 'know', 'past', 'take', 'care', 'occaision', 'hiusband', 'call']

Avant :     Francisco's On The River was an "alright" experience. Went on a Tuesday night and wasn't very crowde
Après :     ['alright', 'experience', 'night', 'crowd', 'pasta', 'good', 'taste', 'byob', 'policy', 'dinner']

Avant :     This was our second time here and I left thinking again the food is just very ordinary.  I had a Ces
Après :     ['time', 'leave', 'think', 'food', 'taste', 'follow', 'wait', 'staff', 'food', 'come']

Avant :     Kinda a dive bar but could have been cool.  We found the girl bartender to be pretentious and rude. 
Après :     ['bar', 'cool', 'find', 'girl', 'bartender_rude', 'seem_care', 'rush', 'order', 'back', 'talk']

Avant :     I had lunch here today. I ordered the fish tacos and it took about 30 minutes to get them. It was no
Après :     ['lunch_today', 'order', 'fish_taco', 'take', 'minute', 'think', 'chef', 'cook', 'item', 'time']

Avant :     Seriously! Came here with tickets to see a show at 6, The bands are in 2 places! No signs and could 
Après :     ['come', 'ticket', 'see', 'show', 'band', 'place', 'sign', 'see', 'street', 'mislead']

Avant :     This place was gross. Stopped in for lunch last week. There was a swarm of black flies in the bathro
Après :     ['place', 'stop_lunch', 'week', 'swarm', 'fly', 'bathroom', 'blow', 'face', 'wait', 'food']

Avant :     I visited the restaurant during a conference on a lunch break. The food was not good. It wasn't prop
Après :     ['visit', 'restaurant', 'conference', 'lunch_break', 'food', 'taste', 'wait', 'order', 'wait_minute', 'meal']

Avant :     when calling to ask about calendar of events, girl on the phone was completely rude and unhelpful. s
Après :     ['call', 'ask', 'calendar', 'event', 'girl', 'phone', 'sound', 'come', 'assume', 'employee']

Avant :     The drinks are ok,, food is awful.  Two out of the three of us got sick after eating lunch.
Après :     ['drink', 'food', 'eat', 'lunch']

Avant :     I went here for a romantic expensive dinner and was thoroughly dissappointed. I had the qunioa. My b
Après :     ['dinner', 'dissappointe', 'boyfriend', 'lamb', 'dish', 'flavor', 'combo', 'work', 'expect', 'dish']

Avant :     5 tacos and nachos missing tomatoes and sour cream. Must have ran out of food. Not good.
Après :     ['taco', 'tomato', 'cream', 'run', 'food']

Avant :     This business will continue to do well, simply because of the real estate. It has a great location. 
Après :     ['business', 'continue', 'estate', 'location', 'serve', 'food', 'give', 'service', 'keep', 'food']

Avant :     I recently got a cheesesteak and bag of chips from this place. Cheesesteak was gross. Literally tast
Après :     ['cheesesteak', 'bag_chip', 'place', 'cheesesteak', 'taste', 'bag', 'boil', 'cafeteria', 'meat', 'roll']

Avant :     Had the late night hungries. This was the only place serving food around us. The beer was cold, the 
Après :     ['night', 'hungrie', 'place', 'serve', 'food', 'beer', 'bartender', 'drink', 'training', 'teaching']

Avant :     If you're looking for the incredible burgers previously served at this address when it was "Yo Mama'
Après :     ['look', 'burger', 'serve', 'address', 'bar', 'grill', 'burger', 'mama', 'burger', 'dry']

Avant :     When I order nachos from a restaurant I expect the cheese to be grated cheese, not  the liquid dispe
Après :     ['order', 'restaurant', 'expect', 'cheese', 'grate', 'cheese', 'dispense', 'nozzle', 'movie', 'theater']

Avant :     There are rats on the ground. Saw multiple running across the floor. We got out there as soon as we 
Après :     ['rat', 'ground', 'see', 'run', 'floor', 'disappoint']

Avant :     Go to Charlie's! 

You'll get a far superior burger and shake!

Bonus: You'll get treated with the c
Après :     ['bonus', 'treat', 'courtesy', 'pay', 'customer', 'deserve']

Avant :     The food there is good. The only thing is just like all other sushi restaurants if you go in at the 
Après :     ['food', 'thing', 'restaurant', 'time', 'notice', 'time', 'wait_min', 'bar', 'spot', 'kid']

Avant :     I can't comment on many of the menu items, since it was my first time here, but I know that it will 
Après :     ['comment', 'menu_item', 'time', 'know', 'order', 'pad', 'taste', 'fish', 'sauce', 'fish']

Avant :     Ordered a platter of deli meat and cheese and waited an hour and still didn't arrive, we ended up le
Après :     ['order', 'meat', 'cheese', 'wait', 'hour', 'arrive', 'end', 'leave', 'price', 'expect']

Avant :     This was a break point on our Segway tour. I ordered the strawberry iced tea and it kind of tasted l
Après :     ['break', 'point', 'tour', 'order', 'strawberry', 'tea', 'kind', 'taste', 'medicine', 'unisex']

Avant :     This spot was a disappointment. Went in for a sandwich and the options were quite limited. I opted f
Après :     ['spot', 'disappointment', 'sandwich', 'option', 'opt', 'bagel', 'thing', 'fall', 'lift', 'serve']

Avant :     So disappointing.....after living in the area for many years and ate there on many occasions I decid
Après :     ['living', 'area', 'year', 'eat', 'occasion', 'decide', 'stop_lunch', 'discover', 'food', 'mexican']

Avant :     I went here when if first opened, and have never desired to go back again, I was so very disappointe
Après :     ['open', 'desire', 'disappoint', 'quality', 'taste', 'food', 'recommend', 'dining']

Avant :     The service here was good.  Its the food that will prevent me from returning. The veal parm was drie
Après :     ['service', 'food', 'prevent', 'return', 'veal', 'parm', 'dry', 'tasteless', 'come', 'place']

Avant :     We went on a Saturday night around 8:30 pm, it was a rather small crowd for the weekend, the waiting
Après :     ['night', 'crowd', 'weekend', 'waiting', 'staff', 'time', 'order', 'request', 'order', 'fry']

Avant :     Always wanted to visit this restaurant since the outside made it seem inviting and fancy. Finally sa
Après :     ['want', 'visit', 'restaurant', 'outside', 'make', 'seem', 'invite', 'see', 'expect', 'look']

Avant :     A need to understand customer service. Very disappointed with the lack of understanding. Traveling d
Après :     ['need', 'understand', 'customer_service', 'disappoint', 'lack', 'understanding', 'travel', 'take', 'mother', 'medium']

Avant :     Standard food, poor service. I went with my family (5 top) and we were one of 3 tables there for din
Après :     ['food', 'service', 'family', 'top', 'table', 'dinner', 'server', 'server', 'understand', 'kitchen']

Avant :     Attending "Dining under the Stars" in Media this past Wednesday Night. What a great experience. The 
Après :     ['attend', 'dining', 'star', 'medium', 'night', 'experience', 'dining_experience', 'hand', 'waiter', 'rude']

Avant :     I went to this location for the first time just recently. The reason we decided to go to this locati
Après :     ['location', 'time', 'reason', 'decide', 'location', 'give', 'gift_card', 'buy', 'restaurant', 'time']

Avant :     We didnt actually make it to dinner. They screwed up our reservation so badly, we left. Never a good
Après :     ['make', 'dinner', 'screw', 'reservation', 'leave', 'place', 'location']

Avant :     I was not impressed . I ordered take out, I arrived and there sat my order on a table not under a he
Après :     ['order', 'take', 'arrive', 'order', 'table', 'heat', 'lamp', 'industry', 'thing', 'keep']

Avant :     Horrible experience here. First off, they seated us in the basement. Second, there was a poor menu s
Après :     ['experience', 'seat', 'basement', 'menu', 'selection', 'walk', 'waitress', 'come', 'table', 'table']

Avant :     Went to Amigos on our 40th anniversary citing the great reviews. Near to no atmosphere. Food was ble
Après :     ['amigo', 'anniversary', 'cite', 'review', 'atmosphere', 'food', 'price', 'figure', 'people', 'salsa']

Avant :     Ordered a carnita plate to go, picked it up, got home, took out the food and in the utensil package 
Après :     ['order', 'plate', 'pick', 'home', 'take', 'food', 'utensil', 'package', 'find', 'maggot']

Avant :     This was the worst brunch I've ever had. Ordered the Buttermilk Fried Chicken Sandwhich; chicken was
Après :     ['brunch', 'order', 'buttermilk', 'fry', 'fry', 'drain', 'side', 'salad', 'leave', 'dress']

Avant :     Went here with a friend, the ambiance is very nice and they did a huge overhaul of the interior.  We
Après :     ['friend', 'overhaul', 'sit_bar', 'service', 'group', 'time', 'majority', 'seat', 'cauliflower', 'pork']

Avant :     When I used to live in Philly and did not have a lot of money I went to this Indian restaurant, its 
Après :     ['use', 'lot', 'money', 'restaurant', 'lot', 'food', 'quantity', 'lack', 'quality', 'restaurant']

Avant :     Ordered from grubhub waited an hour and a half for delivery so I called naturally no one picked up f
Après :     ['order', 'wait', 'hour', 'delivery', 'call', 'pick', 'minute', 'guy', 'answer', 'explanation']

Avant :     Please do not go to this place. The food is just horrible. I thought of giving this place a second c
Après :     ['place', 'food', 'thought', 'give', 'place', 'chance', 'disappoint', 'tandoor', 'torture', 'taste_bud']

Avant :     The food is pretty low quality, it's almost always dead and the only reason we go there is for BYO'i
Après :     ['food', 'quality', 'reason', 'byo', 'place', 'steer', 'look', 'food']

Avant :     The other reviews seem to say it all: the food just isn't that great.  Not to mention I came down wi
Après :     ['review', 'seem', 'say', 'food', 'mention', 'come', 'stomachache', 'eat', 'food', 'greasy']

Avant :     Absolutely horrible. I ordered grubhub for lunch today. I ordered chicken tikka masala and garlic/ch
Après :     ['order', 'lunch_today', 'order', 'chicken_tikka', 'masala', 'cheese', 'naan', 'order', 'arrive', 'minute']

Avant :     I had a pretty disappointing lunch buffet here this past weekend. Their food was edible and okay at 
Après :     ['lunch_buffet', 'weekend', 'food', 'dish', 'eat', 'plate', 'dare', 'say', 'want', 'rd']

Avant :     Not the best buffet option in the area. Everything  is bland and tastes like it is reheated from fro
Après :     ['option', 'area', 'taste', 'reheat', 'samosa', 'corner']

Avant :     Staff was uncourteous and refused to provide us service because we only wanted snacks and not a full
Après :     ['staff', 'refuse', 'provide', 'service', 'want', 'snack', 'meal', 'policy', 'mention', 'menu']

Avant :     So I use to go to this place back in 2005 with my family & haven't been there since, so I decided to
Après :     ['use', 'place', 'family', 'decide', 'friend', 'decision', 'quality', 'food', 'wait_minute', 'waiter']

Avant :     in our search of tasty indian food in west philly, we walked away disappointed.  the malai kofta bal
Après :     ['search', 'food', 'west', 'walk', 'ball', 'cream', 'wheat', 'good', 'seem', 'cater']

Avant :     The Buffet was pretty mediocre. Chicken makhani had sugar in it. Goat curry and chicken curry was av
Après :     ['buffet', 'tea', 'night', 'add', 'touch', 'appetizer', 'refill', 'dish', 'restaurant', 'night']

Avant :     Pizza isn't half bad, but service is. Ordered delivery, was quoted 45-60 minutes. Hour and half late
Après :     ['pizza', 'service', 'order', 'delivery', 'quote', 'minute', 'hour_half', 'wait', 'pizza', 'call']

Avant :     I visited this morning. I was super impressed when I walked in. Unfortunately it took well over 20 m
Après :     ['visit', 'morning', 'impress', 'walk', 'take', 'minute', 'minute', 'breakfast', 'sandwich', 'order']

Avant :     The coffee was very watery-didn't taste like coffee at all. 5 bucks went down the trash. I'm a big c
Après :     ['coffee', 'watery', 'taste', 'coffee', 'buck', 'trash', 'coffee', 'person', 'disappointment', 'read_review']

Avant :     My husband and I each had the breakfast sandwich - would say it was decent with a good portion of eg
Après :     ['husband', 'breakfast', 'sandwich', 'say', 'portion', 'egg', 'make', 'home', 'try', 'location']

Avant :     High prices, slow service, & wrong orders.
Never again.  Don't throw your money away.
Après :     ['price', 'slow', 'service', 'order', 'throw', 'money']

Avant :     Ordered the egg sandwich that was not edible since the cook put extremely large amount of salt on th
Après :     ['order', 'egg', 'sandwich', 'put', 'amount', 'salt', 'egg', 'restaurant', 'view', 'blvd']

Avant :     The food was good (and I'm all about organic), but the service was haphazard and slow. I asked for a
Après :     ['food', 'service', 'haphazard', 'ask', 'slice', 'toast', 'time', 'meal', 'come', 'addition']

Avant :     It seems like they have to get it together better here. Not very organized. The food is pretty expen
Après :     ['seem', 'organize', 'food', 'sunrise', 'salad', 'say', 'come', 'boil_egg', 'give', 'scramble_egg']

Avant :     Got here @ 8:30p to give it a try, but told us they are closing! Why do restaurants post hours & not
Après :     ['give', 'try', 'tell', 'closing', 'restaurant', 'post', 'hour', 'come', 'try', 'place']

Avant :     Friendly waiter, obviously new. He was very good though. Waited a while to order. Waited and waited 
Après :     ['waiter', 'good', 'wait', 'order', 'wait', 'wait', 'food', 'chili', 'taste', 'arrive']

Avant :     Ordered the sliders, and they were very disappointing.  The chicken slider meat was smaller than a c
Après :     ['order', 'slider', 'chicken', 'slider', 'meat', 'chicken', 'nugget', 'table', 'order', 'complaint']

Avant :     Last time I checked you go to the supermarket to buy food and you go to a bar to purchase beer and p
Après :     ['time', 'check', 'supermarket', 'buy', 'food', 'bar', 'purchase', 'beer', 'prepare', 'food']

Avant :     Visiting St. Louis last week & had a lovely time with family at a wedding out in the country. Our la
Après :     ['visit', 'week', 'time', 'family', 'wedding', 'country', 'stop', 'leave', 'garden', 'happen']

Avant :     Pretty looking on the outside. Still amateur on the inside. This owner has an inflated ego.. don't p
Après :     ['look', 'owner', 'inflate', 'pump', 'money', 'product', 'bonne', 'thing']

Avant :     Very disappointed. Pastery looks nice on the outside but tastes like it is a display item and not et
Après :     ['pastery', 'look', 'taste', 'display', 'item', 'seem', 'foot', 'traffic', 'slow', 'sell']

Avant :     Extremely disappointed. I bought their special Harry Potter red velvet cake with butterbeer frosting
Après :     ['buy', 'potter', 'velvet', 'cake', 'butterbeer', 'frost', 'slice', 'call', 'slice', 'charge']

Avant :     Hate to be harsh but dang! After having a limited selection at terminal F I finally decided to go wi
Après :     ['hate', 'limit', 'selection', 'terminal', 'decide', 'luke', 'look', 'try', 'cheese_steak', 'unravel']

Avant :     Worst roast pork sandwich I've ever had. The broccoli rabe was lifeless and freezing. It was so cold
Après :     ['roast_pork', 'sandwich', 'broccoli', 'rabe', 'freeze', 'cheese_melt', 'bread', 'soggy', 'wet', 'airport']

Avant :     Bread tasted old and was dry. Beef had no flavor and there was hardly any provolone. This is a big d
Après :     ['bread', 'taste', 'beef', 'flavor', 'disappointment', 'hurt', 'brand', 'name', 'airport', 'excuse']

Avant :     I try not to pass through Philly without a cheese steak...but I was disappointed by the Tony Luke's 
Après :     ['try', 'pass', 'cheese_steak', 'disappoint', 'version', 'airport', 'like', 'way', 'cook', 'pepper_onion']

Avant :     I hope this isn't what Philly Cheesesteaks are supposed to be like. It had very dry steak and the ch
Après :     ['hope', 'cheesesteak', 'suppose', 'steak', 'cheese', 'whiz', 'flavor', 'roll', 'miss', 'airport']

Avant :     Not sure about their steak and cheese as I was visiting early AM catching a flight.  Ordered a bacon
Après :     ['steak', 'cheese', 'visit', 'catch', 'flight', 'order', 'bacon', 'egg', 'sandwich', 'roll']

Avant :     Do not waste your time with this place. They will ignore you. They will tell you that your order wil
Après :     ['waste_time', 'place', 'ignore', 'tell', 'order', 'take', 'minute', 'mean', 'minute', 'run']

Avant :     Philly cheesesteak has no flavor but the mustard they put on it. And too much pepper. Not a good exa
Après :     ['cheesesteak', 'flavor', 'mustard', 'put', 'pepper', 'example', 'home', 'creation']

Avant :     I hope the real restaurant is better than their airport restaurant. The sandwich was nothing like a 
Après :     ['hope', 'restaurant', 'airport', 'restaurant', 'sandwich', 'cheese_steak', 'meat', 'slab', 'steak', 'box']

Avant :     The junior cheese steak was a bomb. Whiz not melted (saw the cook trying to dig it out of the warmer
Après :     ['cheese_steak', 'bomb', 'whiz', 'melt', 'see', 'cook', 'try', 'glop', 'meat', 'say']

Avant :     Ran out of chicken cutlet. It was tough to tell if I had a chicken cheesesteak or beef cheesesteak d
Après :     ['run', 'tell', 'chicken', 'cheesesteak', 'beef', 'cheesesteak', 'amount', 'salt', 'order', 'impression']

Avant :     For the second time in 2 trips very disappointed. Chicken cutlet was cold and dry and fries were col
Après :     ['time', 'trip', 'chicken', 'fry', 'forgot', 'marinara', 'make', 'chicken', 'sandwich', 'wait_minute']

Avant :     Not a good example of a philly cheese steak. Franchised out. Fatty meat and bad quality bread. Your 
Après :     ['example', 'cheese_steak', 'franchise', 'fatty', 'meat', 'quality', 'bread', 'walk', 'step', 'fil']

Avant :     Panini's are terrible and overpriced. I tried the chicken parmesan and the Tuscan. The chicken was w
Après :     ['panini', 'overprice', 'try', 'chicken', 'bread', 'barley', 'toast', 'cheese', 'couple', 'slice']

Avant :     I ordered two whopper meals.  One with cheese, one without.  I pulled up to the window and received 
Après :     ['order', 'whopper', 'meal', 'cheese', 'pull', 'window', 'receive', 'drink', 'whopper', 'meal']

Avant :     If I could, I would give zero stars (this is in regards to the restaurant) The service was horrible 
Après :     ['give_star', 'regard', 'restaurant', 'service', 'food', 'take', 'feel', 'eternity', 'remind', 'server']

Avant :     This place has similar concept as Chipotle but you only get 3 add ons after that you have to pay ext
Après :     ['place', 'concept', 'chipotle', 'add', 'ons', 'pay', 'lettuce', 'onion', 'say', 'glorify']

Avant :     There was a bug in my food and when I showed the waitor, he simply shrugged it off. Dessert island i
Après :     ['show', 'waitor', 'shrug', 'dessert', 'island', 'place', 'smell']

Avant :     This used to be one of my favorite spot to eat at. But ever since the last owner sold this place to 
Après :     ['use', 'spot', 'eat', 'owner', 'sell', 'place', 'owner', 'change', 'replace', 'chef']

Avant :     Breakfast meal : Biscuits and gravy were the worst I've tasted. The waitress Krisgina was dusting as
Après :     ['breakfast', 'meal', 'biscuit_gravy', 'taste', 'krisgina', 'dust', 'customer', 'eat', 'guest']

Avant :     Has to be one of the worst restaurant in town, slow service, not enogh food put out no flavor and no
Après :     ['restaurant', 'town', 'put', 'flavor', 'food', 'person', 'drink', 'run', 'cash_register', 'run']

Avant :     I was so disappointed when this opened; I was hoping for Nashville's first real authentic Greek rest
Après :     ['open', 'hope', 'restaurant', 'athen', 'greek', 'pseudo', 'americanize', 'version', 'chef', 'thing']

Avant :     I tried Tazikis for the fist time yesterday, and I was disappointed. The Mediterranean salad was ver
Après :     ['try', 'fist', 'time', 'yesterday', 'disappoint', 'lettuce', 'vegetable', 'chickpea', 'dry', 'wedge']

Avant :     Decent food, but avoid this place during lunch hour at all costs. They can't seem to get their order
Après :     ['food', 'avoid', 'place', 'lunch', 'hour', 'cost', 'seem', 'order', 'waste', 'hour']

Avant :     Expecting to enjoy a fantastic meal Chiles was recommended by friends. 

This was my very first time
Après :     ['expect', 'enjoy', 'meal', 'chile', 'recommend', 'friend', 'time', 'eat', 'order', 'pull_pork']

Avant :     DON'T BOTHER GETTING THE GROUPON. The sushi was terrible and they DIDN'T HONOR the Groupon because I
Après :     ['bother', 'groupon', 'honor', 'groupon', 'seat', 'use', 'groupon', 'establishment', 'refuse', 'call']

Avant :     I'd been here before, when it was blue sea, so I thought it would be similar as before. I was surpri
Après :     ['thought', 'similar', 'see', 'menu', 'owner', 'guess', 'name', 'change', 'order', 'roll']

Avant :     "CLOSED"; Saw Yakuza on Internet. Liked the menu. Drove my family 100 miles from Rolla to get some n
Après :     ['see', 'yakuza', 'internet', 'like', 'menu', 'drive', 'family', 'mile', 'rolla', 'rate']

Avant :     This is the last time we will  order, let me start a list:
 it was cold
lettuce was brown
driver loo
Après :     ['time', 'order', 'let_start', 'list', 'lettuce', 'driver', 'look', 'say', 'driver', 'add']

Avant :     Tried this place out as soon as it opened. We took one bite of the burger and threw out the food. it
Après :     ['try', 'place', 'open', 'take_bite', 'burger', 'throw', 'food', 'drink', 'wash', 'amount']

Avant :     Ok, so I used to love Smashburger, but now I avoid it.  I went there about three months ago.  The mo
Après :     ['use_love', 'smashburger', 'avoid', 'month', 'morning', 'eat', 'feel', 'cancel', 'work', 'assume']

Avant :     Went in a few months ago and just getting around to writing a review.

We walked in around 8PM on a 
Après :     ['month', 'write_review', 'walk', 'night', 'couple', 'finish', 'dinner', 'order', 'hamburger', 'milkshake']

Avant :     Great fries and rings, but you can only get your burger cooked well done "for health reasons!"  My f
Après :     ['fry', 'ring', 'burger', 'cook', 'health', 'reason', 'friend', 'faith', 'product', 'nuke']

Avant :     Wow. Hadn't been here in awhile and boy has it changed. This place is DIRTY!!! Dirty tables everywhe
Après :     ['boy', 'change', 'place', 'table', 'search', 'place', 'sit', 'dining_area', 'floor', 'trash']

Avant :     The customer service is... terrible. The staff are uninterested, and borderline hostile when trying 
Après :     ['customer_service', 'staff', 'borderline', 'try', 'order', 'ask_question', 'time', 'give', 'order', 'want']

Avant :     I only go here because my kids like it. They upped the price of the kids meal and have not updated t
Après :     ['kid', 'price', 'kid', 'meal', 'update', 'chalkboard', 'menu', 'point', 'nice', 'care']

Avant :     Food was mediocre, no place too sit. Noisy. Lots a kids Not worth the trip .
Après :     ['food', 'place', 'sit', 'lot', 'kid', 'trip']

Avant :     Friday's  Bartender must own the place,  be related to the owner,   or have pictures  of someone in 
Après :     ['bartender', 'place', 'owner', 'picture', 'charge', 'guy', 'stay_business', 'attach', 'bowling', 'alley']

Avant :     The first thing I noticed about this bar was all of the signage: "bottled water is $1.50, water foun
Après :     ['thing', 'notice', 'bar', 'signage', 'water', 'water', 'fountain', 'minimum', 'credit_card', 'allow']

Avant :     Easily the worst Wingstop I've ever been to. Slow slow slow slow, workers on phones or joking and la
Après :     ['wingstop', 'worker', 'phone', 'joke', 'laugh', 'work', 'place', 'need', 'help', 'guy']

Avant :     Slow and bad service, soggy fries, soggy wings, not enough sauce, but the ranch was good. Try anothe
Après :     ['slow', 'service', 'fry_soggy', 'wing', 'sauce', 'ranch', 'try', 'location']

Avant :     STAY AWAY!! This is the absolute WORST Wingstop around, and the owner has been told directly. He doe
Après :     ['stay', 'wingstop', 'owner', 'tell', 'care', 'run', 'business', 'employee', 'food', 'fry_soggy']

Avant :     I'm shocked at the good reviews here. Service was good the staff is very nice. I can eat dried out c
Après :     ['shock', 'review', 'service', 'staff', 'eat', 'dry', 'chicken', 'home', 'bland', 'overprice']

Avant :     Tried one dish: broccoli with zoodles ("noodles" made from zucchini) and potatoes. Salmon was added.
Après :     ['try', 'dish', 'broccoli', 'zoodle', 'noodle', 'make', 'zucchini', 'potato', 'salmon', 'add']

Avant :     Worst service in IL.  Lost our order, waited 25 minutes for an app.   They decided to start cleaning
Après :     ['service', 'lose', 'order', 'wait_minute', 'decide', 'start', 'clean', 'pm', 'cheddar']

Avant :     We came here on a Sunday evening around 730 and had 7 people in our party with chicken tender , club
Après :     ['come', 'evening', 'people', 'tender', 'club', 'sandwich', 'grill', 'chicken', 'order', 'take']

Avant :     TLDR: Don't even waste your time by parking in the lot.

Seriously Cheddars? Do you guys just not wa
Après :     ['tldr', 'waste_time', 'parking_lot', 'cheddar', 'guy', 'want', 'business', 'put', 'tracking', 'device']

Avant :     Good food, polite and attentive servers and bartenders. Plenty of screens to enjoy a game. The place
Après :     ['food', 'server', 'bartender', 'screen', 'enjoy', 'game', 'place', 'bathroom', 'stall', 'bathroom']

Avant :     The rudest bar tenders in Tucson Mark is a giant stress mess every time I've been in and can't keep 
Après :     ['bar_tender', 'stress', 'mess', 'time', 'keep', 'track', 'order', 'pay_tab', 'say', 'word']

Avant :     Yucky people hang around there cause I guess they do sports betting.  Not my type of atmosphere.

I 
Après :     ['people', 'hang', 'cause', 'guess', 'sport', 'betting', 'type', 'atmosphere', 'place', 'need']

Avant :     Terrible experience with their catering and the owner was a real jerk and would not take responsibil
Après :     ['experience', 'cater', 'owner', 'jerk', 'take', 'responsibility', 'staff', 'error']

Avant :     Trying to stay true to the rating stars... Meh. I've experienced better.  While not entirely bad foo
Après :     ['try', 'stay', 'rating', 'star', 'meh', 'experience', 'food', 'price', 'pay', 'child']

Avant :     My family has been going to Luberto's for over 10years.  The food has pretty much remained the same.
Après :     ['family', 'luberto', 'year', 'food', 'remain', 'portion', 'food', 'service', 'waitress', 'bring']

Avant :     Not sure why this place has such great reviews taking into account the many great other local places
Après :     ['place', 'review', 'take', 'account', 'place', 'pizza_crust', 'staff', 'need', 'plate', 'seem']

Avant :     Cool concept, it kept my 10yo daughter entertained but, the food was lack luster.  We had a couple o
Après :     ['concept', 'keep', 'daughter', 'entertain', 'food', 'lack_luster', 'couple', 'roll', 'dumpling', 'serve']

Avant :     We were at International Plaza and decided to give this a try since we like sushi a lot. The conveyo
Après :     ['decide', 'give', 'try', 'belt', 'idea', 'fun', 'identify', 'sail', 'look', 'menu']

Avant :     Well, honestly if I could give zero star than I would; because it is extremely Americanized not clos
Après :     ['give_star', 'americanize', 'item', 'menu', 'creation', 'owner', 'example', 'salad', 'tandoori', 'chat']

Avant :     This place has really gone down hill.

I always order the same thing - the vegetable samosa chaat - 
Après :     ['place', 'hill', 'order', 'thing', 'vegetable', 'time', 'assortment', 'ingredient', 'today', 'partner']

Avant :     The service was warm and friendly. The food was good, but felt heavy on the fried chips, and had a p
Après :     ['service', 'warm', 'food', 'good', 'feel', 'fry', 'chip', 'process', 'food', 'feel']

Avant :     I've tried to keep going here but ever since the owner stopped working there, the quality of the dis
Après :     ['try', 'keep', 'owner', 'stop', 'work', 'quality', 'dish', 'quantity', 'food', 'dish']

Avant :     I have no idea why this place is so highly rated. The menu is confusing as hell. The guy just kind o
Après :     ['idea', 'place', 'rate', 'menu', 'confuse', 'hell', 'guy', 'kind', 'make', 'feel']

Avant :     My wife and I went to Cinco de Mayo on a busy Friday night. We waited over 40 minutes to have our or
Après :     ['mayo', 'night', 'wait_minute', 'order', 'take', 'minute', 'food', 'come', 'burn', 'feel']

Avant :     We go here all the time but tonight ensured that we will never be back. The service was awful, order
Après :     ['time', 'tonight', 'ensure', 'service', 'order', 'incorrect', 'food', 'serve', 'concern', 'sympathy']

Avant :     Went in tonight for supper . Right off we weren't greeted with any hello or friendly greeting . Wait
Après :     ['tonight', 'supper', 'greet', 'greeting', 'waitress', 'seem', 'hate_job', 'choice', 'profession', 'water']

Avant :     Service was awful, food was almost inedible.  I had the roast beef sandwich and the gravy had no fla
Après :     ['service', 'food', 'roast_beef', 'sandwich', 'flavor', 'poutine', 'reason', 'garlic', 'shrimp', 'server']

Avant :     Stay Away!! Tuna tasted spoiled and old...I'm starting to feel sick and the bread was very stale! Ta
Après :     ['stay', 'tuna', 'taste', 'spoil', 'start', 'feel', 'bread', 'tack', 'money']

Avant :     Just no. Expensive. And crap. I don't believe 10 bucks a pound for crawfish is reasonable. Bye Felic
Après :     ['crap', 'believe', 'buck', 'pound', 'crawfish']

Avant :     I ordered combo one on their opening day and picked 1 lb shrimps and 1 lb clams and 1 lb mussels in 
Après :     ['order', 'combo', 'opening', 'day', 'pick', 'clam', 'mussel', 'combo', 'shrimp', 'clam']

Avant :     Found this place because I was starving during my late class in grad. school.  Not good..... not goo
Après :     ['find', 'place', 'starve', 'class', 'school', 'mind', 'order', 'shrimp', 'fry_rice', 'screw']

Avant :     My first trip here was in July had I given a review then it would be a 5 star... But went here yeste
Après :     ['trip', 'give', 'review', 'star', 'yesterday', 'workout', 'session', 'service', 'try', 'explain']

Avant :     Will I go there again? Eh, possibly .. but not because I was blown away or anything. The food wasn't
Après :     ['blow', 'food', 'service', 'server', 'pleasant', 'say', 'establishment', 'book']

Avant :     Very mediocre. Service was disappointing, the food is nothing special and the place was pretty dirty
Après :     ['service', 'food', 'place', 'try', 'place', 'dinner', 'move', 'tampa']

Avant :     I ate here and there was literally poop on the floor. Good food but could do without the doodie
Après :     ['eat', 'poop', 'floor', 'food', 'doodie']

Avant :     The food may be good, don't know, never ate there. But I do know the staff sucks.  My son was a dish
Après :     ['food', 'good', 'know', 'eat', 'staff', 'suck', 'tell', 'job', 'berate', 'cook']

Avant :     We ordered through the Yelp app and had to wait over an hour. Although that is not usually a huge de
Après :     ['order', 'yelp', 'wait', 'hour', 'deal', 'food', 'find', 'sharpie', 'cap', 'use']

Avant :     The service was great as was the food. The atmosphere though left a lot to be desired. It was really
Après :     ['service', 'food', 'atmosphere', 'leave', 'lot_desire', 'guess', 'degree', 'smell', 'deodorizer', 'walk']

Avant :     Very disappointing.  I got fried green tomatoes. What machine breaded these and sucked the flavor ri
Après :     ['fry', 'tomato', 'machine', 'bread', 'suck', 'flavor', 'travesty']

Avant :     I like the place but they cannot cook steaks to save their life. 

First time I was here the steak w
Après :     ['place', 'cook', 'steak', 'save', 'life', 'time', 'steak', 'way', 'recooke', 'decide']

Avant :     food was disgusting! Not just OK, not could be better, not it's alright; just disgusting! See the pi
Après :     ['food', 'alright', 'see', 'pic']

Avant :     Service has dropped dramatically! Flatbread pizza soggy usually great food
Après :     ['service', 'drop', 'flatbread', 'pizza', 'soggy', 'food']

Avant :     First and last time eating there. horrible service and horrible food. Everything I ordered was sitti
Après :     ['time', 'eat', 'service', 'food', 'order', 'sit', 'pool', 'oil', 'tomato', 'salad']

Avant :     This place.  
The service was good - BUT the food-
Ordered all kinds of menu items. 
Kimchee , small
Après :     ['place', 'service', 'food', 'order', 'kind', 'menu_item', 'plate', 'salmon', 'chicken', 'karage']

Avant :     The drinks were good, not amazing but good. The Korean fried chicken was flavorful and extra crunchy
Après :     ['drink', 'fry', 'chicken', 'enjoy', 'pork_belly', 'noodle', 'eater', 'eat', 'feel', 'rest']

Avant :     I took a friend to this Korean spot because she was curious about Korean food.  Bimbimbop was inedib
Après :     ['take', 'friend', 'spot', 'food', 'bimbimbop', 'fry', 'chicken', 'mcnugget', 'mystery', 'meat']

Avant :     In terms of service the place was great, but the food was just meh. The wings weren't great, it  was
Après :     ['term', 'service', 'place', 'food', 'meh', 'wing', 'level', 'soho', 'chicken', 'chain']

Avant :     Not authentic Korean. I ordered the Hwe Dup Bap - Sashimi yesterday and it was a bit basic. The fish
Après :     ['order', 'yesterday', 'bite', 'fish', 'taste', 'stomach', 'start', 'convulse', 'minute', 'eat']

Avant :     I came to SouthGate with my wife for restaurant week.  We were happy to see the restaurant was very 
Après :     ['come', 'southgate', 'wife', 'restaurant', 'week', 'see', 'restaurant', 'menu', 'look', 'variety']

Avant :     I have to agree with the previous reviews about the quality of the eating environment. Its pretty da
Après :     ['agree', 'review', 'quality', 'eat', 'environment', 'date', 'couch', 'walk', 'mention', 'kitchen']

Avant :     We attended a private party recently.  The appetizer, cheese ravioli, was good.  That is the only go
Après :     ['attend', 'party', 'appetizer', 'cheese', 'ravioli', 'thing', 'say', 'chicken', 'piece', 'grizzle']

Avant :     This is no where near as good as Tony Angelo's and way overpriced.
Après :     ['way_overprice']

Avant :     Food is overpriced and mediocre. For the same price we could have gone to Commander's or Brennan's a
Après :     ['food', 'overprice', 'price', 'commander', 'got', 'food', 'price', 'food']

Avant :     Would not recommend this place it was one of the worse meals I have eaten....very over priced the fo
Après :     ['recommend', 'place', 'meal', 'eat', 'price', 'food', 'flavor', 'cake', 'save_money']

Avant :     Just don't ever go here for Christmas! It was mass confusion. Two hours and 200$ plus for a memorabl
Après :     ['confusion', 'hour', 'meal', 'reason', 'order', 'service', 'experience', 'food', 'remember']

Avant :     Worst meal in New Orleans. Horrible service. This place looks like the 1970's threw up. 
Menu is out
Après :     ['meal', 'service', 'place', 'look', 'throw', 'menu', 'outdate', 'overprice', 'bread', 'take']

Avant :     Never again!!!!!
An absolutely terrible experience.
 We were seated in the piano bar area before 7:3
Après :     ['experience', 'seat', 'piano', 'bar', 'area', 'see', 'server', 'come', 'order', 'drink']

Avant :     Awful, just awful! I've had better food in a hospital cafeteria. Service was so bad it became comica
Après :     ['food', 'hospital', 'cafeteria', 'service', 'bad', 'become']

Avant :     The absolute worst restaurant that I have ever been to. I'm not going to re-write my open table revi
Après :     ['restaurant', 'write', 'table', 'review', 'wish', 'star_rating', 'deserve', 'food', 'service', 'ambience']

Avant :     I had a late lunch with 13 senior citizens for our Christmas party. We arrived at 2:00 thinking it w
Après :     ['lunch', 'citizen', 'arrive', 'think', 'service', 'happen', 'order', 'find', 'waiter', 'couple']

Avant :     We were drawn in by the full parking lot... Don't be fooled... Not good.  Grouper was very undercook
Après :     ['draw', 'parking_lot', 'fool', 'salad', 'fruit', 'staff', 'rush', 'cheeseburger', 'ok', 'recommend']

Avant :     Yipes...I don't think I will be back. I ordered a pulled pork sandwich. It was so tough and chewy I 
Après :     ['yipe', 'think', 'order', 'pull_pork', 'sandwich', 'chewy', 'swallow', 'order', 'waitress', 'say']

Avant :     Went for lunch with my parents. The food was good, not great but good. Our server Robin was very pol
Après :     ['lunch', 'parent', 'food', 'server', 'robin', 'polite', 'hostess', 'time']

Avant :     Eggs not cooked, ordered medium. Coffee horrible. Service very good and atmosphere good
Après :     ['egg', 'cook', 'order', 'coffee', 'service', 'atmosphere']

Avant :     07/19/2017 3:00
Food was great, my guest and I had the Reuben Sandwich.
Service was poor at best
Après :     ['food', 'guest', 'service']

Avant :     Seems like a great location but have never really seen the place overly busy.  Went in for dinner ye
Après :     ['seem', 'location', 'see', 'place', 'dinner', 'yesterday', 'decide', 'breakfast', 'dinner', 'service']

Avant :     This place is not affiliated with Tony Luke's. That is in South Philly, and it's 100% better.

Tony 
Après :     ['place', 'affiliate', 'hoagie', 'cheesesteak', 'onion_ring', 'awne', 'bother', 'quotation', 'mark', 'call']

Avant :     I've had better a cheese steak in Frisco. This is d/t so maybe they don't need to put the oomph in i
Après :     ['cheese_steak', 'need', 'put', 'oomph', 'volume', 'wife', 'broccoli', 'fry', 'average']

Avant :     So...lunch at 1:15. I'm the only one there and it takes 10+ minutes for a cheesesteak that in the en
Après :     ['lunch', 'take', 'minute', 'cheesesteak', 'end', 'roll', 'meat', 'customer', 'display', 'cook']

Avant :     Food is good but expensive for what you get here I ordered a burrito for $11 guess that's just just 
Après :     ['food', 'expensive', 'order', 'flour', 'bean_rice', 'lettuce', 'want', 'meat']

Avant :     Are we all talking about the same place? Photos look amazing, reviews are outstanding, so we go to g
Après :     ['talk', 'place', 'photo', 'look', 'review', 'grab', 'breakfast', 'pastry', 'scone', 'bakery']

Avant :     Went here for dinner. Flies around through our meal and each table around us. Food tasted okay. Serv
Après :     ['dinner', 'fly', 'meal', 'table', 'food', 'taste', 'service', 'dinner', 'partner', 'stomach']

Avant :     7:50pm on a Saturday. Terrible service. Been here 30mins so far and no food, our order was just take
Après :     ['service', 'min', 'food', 'order', 'take', 'take_min', 'glass_wine', 'wine_selection', 'say', 'wine']

Avant :     We weren't impressed with our first visit.  The prices are high, the service and food was just ok, a
Après :     ['visit', 'price', 'service', 'food', 'serve', 'wine', 'bottle', 'say', 'competition', 'moment']

Avant :     I forgot to mention they charge .50 cents for onions on your cheesesteak, only in Mullica Hill!
Après :     ['mention', 'charge', 'cent', 'onion', 'cheesesteak']

Avant :     The Blueplate is a dinner that charges upscale restaurant prices. I've been here a few times, always
Après :     ['dinner', 'charge', 'restaurant', 'price', 'time', 'take', 'feel', 'food', 'service', 'cheesesteak']

Avant :     Food was ice cold and not great and we could NOT get a server to save our lives. 5 pm on a Friday an
Après :     ['food', 'ice', 'server', 'live', 'table', 'fill', 'line', 'door', 'staff', 'help']

Avant :     The place seems a bit tired. The lighting was dim and tables a bit sticky.  Chips were not fresh and
Après :     ['place', 'seem', 'bit', 'lighting', 'dim', 'table', 'bit', 'chip', 'margarita', 'taste']

Avant :     Came here before an event at the Ryman. Took 15 minutes to get water. Asked for a napkin, had to get
Après :     ['come', 'event', 'ryman', 'take', 'minute', 'water', 'ask', 'napkin', 'food', 'fair']

Avant :     Besides being extremely inexpensive, this establishment doesn't really offer its niche...Mexican cui
Après :     ['establishment', 'offer', 'niche', 'cuisine', 'variety', 'menu_item', 'show', 'confidence', 'place', 'give']

Avant :     Went last night to get a Mexican food fix. Walked in, service was slow.  The worst margarita I have 
Après :     ['night', 'food', 'fix', 'walk', 'service', 'margarita', 'decide', 'leave', 'make', 'drink']

Avant :     Just no. Service is slow and I wouldn't even call the food Mexican food. I miss nashville street tac
Après :     ['service_slow', 'call', 'food', 'taco']

Avant :     Without a doubt the saltiest meal we've ever had in our lives...and that's for 2 dinners!  We had th
Après :     ['doubt', 'meal', 'live', 'dinner', 'poblanos', 'combination', 'plate', 'way', 'salt', 'salsa']

Avant :     HORRIBLE!!! 
Worst service and food I've ever experienced!... Better off going through a taco bell d
Après :     ['service', 'food', 'experience', 'drive', 'wish', 'read_review', 'enter', 'place', 'guy', 'tail']

Avant :     Restaurant is very clean who was delicious have steak and veggies with sweet tea very fast and frien
Après :     ['steak', 'veggie', 'tea', 'service']

Avant :     Very disappointing. I forced my husband to come with me and we stopped in for dinner. Service reeked
Après :     ['force', 'husband', 'come', 'stop', 'dinner', 'service', 'reek', 'discrimination', 'host', 'server']

Avant :     It was 5 star, had the quesadillas twice and then no more, place is shutdown!  I did like the food. 
Après :     ['place', 'shutdown', 'food', 'suggestion', 'place', 'coffee', 'cartel', 'quesadilla']

Avant :     It was alright. Burger was a bit tasteless. Everything else was good. Good came out in 5 minutes. Fr
Après :     ['bite', 'good', 'come', 'minute', 'ice_cream', 'cone', 'meal']

Avant :     The food is good, but the service is terrible. We've gone at least three times and left before order
Après :     ['food', 'service_terrible', 'time', 'leave', 'order', 'lack', 'attention', 'person', 'sit_bar', 'talk']

Avant :     Heard about this place. Thought I'd check it out. Someone needs to report this restaurant for fraud.
Après :     ['hear', 'place', 'think', 'check', 'need', 'report', 'restaurant', 'fraud', 'order', 'dish']

Avant :     Came here last week for my wife and  I's 3rd wedding anniversary, and it's not the same.  Took forev
Après :     ['come', 'week', 'wife', 'rd', 'wedding', 'anniversary', 'take', 'seat', 'restaurant', 'wife']

Avant :     Horrible service. Rude, uncaring management. Used to be a great place but the new owner couldn't car
Après :     ['service', 'rude', 'uncare', 'management', 'use', 'place', 'owner', 'care', 'guest', 'satisfaction']

Avant :     Waited over an hour and a half before we even had a chef to cook our food. We had a reservation so t
Après :     ['wait', 'hour_half', 'chef', 'cook', 'food', 'reservation', 'know', 'come', 'time']

Avant :     Service is terrible they charge you $3 per person to not have mushrooms even if you're allergic!! Ma
Après :     ['service', 'charge', 'person', 'mushroom', 'manager', 'respect', 'people', 'restroom', 'smell']

Avant :     Had dinner here last night. Awful. I've been here plenty of times in the past. So after hearing from
Après :     ['dinner', 'night', 'time', 'hear', 'friend', 'time', 'see', 'night', 'place', 'crap']

Avant :     Pretty good sushi rolls. Pretty bad service. It was very clear that everyone working here was comple
Après :     ['roll', 'service', 'work', 'want', 'kill', 'provide', 'service', 'choice', 'rock', 'radio']

Avant :     I got sushi and vegetables noodles for takeout. The noodles were oversized and had a rather strange 
Après :     ['vegetable', 'noodle', 'noodle', 'oversize', 'texture', 'season', 'know', 'spice', 'smell', 'shrimp']

Avant :     Would prefer to give ZERO stars, but didn't see the option  .... this place is under new ownership a
Après :     ['prefer', 'give_star', 'see', 'option', 'place', 'ownership', 'use', 'customer_service', 'quality', 'save_money']

Avant :     We stopped by for lunch and never made it to a table. We asked for a table for five for hibachi and 
Après :     ['stop_lunch', 'make', 'table', 'ask', 'table', 'guy', 'assume', 'owner', 'look', 'say']

Avant :     I wish this place was better because it's so close to our house. We have tried multiple times to giv
Après :     ['wish', 'place', 'house', 'try', 'time', 'give', 'place', 'shoot', 'service', 'time']

Avant :     Went on a date here recently and the service was wretched, waited 10 minutes after being seated for 
Après :     ['date', 'service', 'wait_minute', 'seat', 'drink', 'order', 'place', 'order', 'restaurant', 'wait_minute']

Avant :     Forget the pizza needs more cheese and sauce.
Après :     ['forget', 'pizza', 'need', 'cheese', 'sauce']

Avant :     First of all this place is awkward! Our waitress was talking to another waitress about a former empl
Après :     ['place', 'waitress', 'talk', 'waitress', 'employee', 'drink', 'job', 'combination', 'smother', 'food']

Avant :     Save your money, Go somewhere else. I ordered hard boiled eggs, chicken and "salad".  I'm not even s
Après :     ['save_money', 'order', 'boil_egg', 'chicken', 'salad', 'menu', 'texture', 'look', 'taste', 'cook']

Avant :     The pizza is subpar at best. The owner was a douche bag to my brother. We asked for a box and an emp
Après :     ['ask', 'box', 'employee', 'tell', 'box', 'trash', 'pizza', 'quality', 'lol', 'let']

Avant :     Biggest piece of tasteless pizza. How do they do it?  Crust -- tasteless. Cheese -- tasteless. Sauce
Après :     ['piece', 'pizza_crust', 'cheese', 'tasteless', 'sauce', 'waste', 'calorie', 'plenty', 'choice', 'borough']

Avant :     Bigger in this case is not better. But they are open late. If you are a West Chester student and it'
Après :     ['case', 'student', 'bar', 'throw', 'dink', 'mean']

Avant :     I was very anxious to try their pizza as I had been to the south street location. I drove around the
Après :     ['try', 'pizza', 'street', 'location', 'drive', 'block', 'spot', 'park', 'approach', 'people']

Avant :     Ya, unfortunately our favorite local theater has officially crashed and burned! Last time we go.... 
Après :     ['theater', 'crash', 'burn', 'time', 'adult', 'ticket', 'wife', 'run', 'theater', 'start']

Avant :     So, so disappointed in this place. It used to be great when it first opened, but the past two times 
Après :     ['place', 'use', 'open', 'time', 'experience', 'villagio', 'offer', 'match', 'price', 'movie']

Avant :     The place sucks... When you come in in the movie theater there is a horrible smell.. Nobody greets y
Après :     ['place', 'suck', 'come', 'movie', 'theater', 'smell', 'greet', 'come', 'cinebistro', 'clean']

Avant :     We used to come here all the time but we notice the quality of food is not the same and the prices g
Après :     ['use', 'come', 'time', 'notice', 'quality', 'food', 'price', 'parmesan', 'pasta', 'boil']

Avant :     We got there 30 plus minutes before the show expecting to enjoy a drink or two and some food before 
Après :     ['minute', 'show', 'expect', 'enjoy', 'drink', 'food', 'show', 'tell', 'server', 'help']

Avant :     Service is horrible. The staff pop there head in and leave. No one to take an order. Came about 45 m
Après :     ['service', 'staff', 'pop', 'head', 'leave', 'take', 'order', 'come', 'make', 'order']

Avant :     We would give 0 stars if we could. We gave this place several chances because it's close and conveni
Après :     ['give_star', 'give', 'place', 'chance', 'close', 'customer_service', 'bathroom', 'toilet_paper', 'find', 'server']

Avant :     The bathroom and theater was dirty. The theater smelled like a convenient store (old grease). The se
Après :     ['bathroom', 'theater', 'theater', 'smell', 'store', 'grease', 'seat', 'server', 'choose', 'eat']

Avant :     Horrible experience, my lady and I went to this place for our first time and what we read in the rev
Après :     ['experience', 'lady', 'place', 'time', 'read_review', 'truth', 'place', 'food', 'chair', 'spill']

Avant :     Let me just say I went here when I was on vacation and I just didn't like it at all , they have the 
Après :     ['let', 'say', 'vacation', 'idea', 'seat', 'food', 'bring', 'experience', 'disgusting', 'bathroom']

Avant :     Worst service I've ever had. Good thing the movie was funny and the seats were comfy. The person who
Après :     ['service', 'thing', 'movie', 'seat', 'comfy', 'person', 'take', 'order', 'unaccommodating', 'say']

Avant :     The owner is a complete jerk. Had to switch theaters because of World Cup, and double sold the theat
Après :     ['owner', 'jerk', 'switch', 'theater', 'sell', 'theatre', 'employee', 'owner', 'miscommunicate', 'theater']

Avant :     Villagio used to be a great place to see a movie, but in the last few months it's gone downhill.  Th
Après :     ['use', 'place', 'see', 'movie', 'month', 'bathroom', 'order', 'chair', 'theatre', 'break']

Avant :     Went here this morning to see a movie and found a locked door, with a notice from some governmental 
Après :     ['morning', 'movie', 'find', 'lock_door', 'notice', 'entity', 'remain', 'correction', 'make', 'inspection']

Avant :     Overall the entire place is Outdated. The quality and resolution of the movie is very bad. No imax! 
Après :     ['place', 'outdate', 'quality', 'resolution', 'movie', 'imax', 'tv', 'quality', 'seat', 'find']

Avant :     We used to come here a lot, but the place seems to have gone downhill lately. Last visit, the air co
Après :     ['use', 'come', 'lot', 'place', 'seem', 'visit', 'air_conditioning', 'break', 'time', 'seat']

Avant :     Last year we enjoyed this theater on multiple occasions.  This year is a different story.  As with t
Après :     ['year', 'enjoy', 'theater', 'occasion', 'year', 'story', 'review_yelp', 'agree', 'food', 'service_slow']

Avant :     Will not come back for the movie and dining experience. The movie experience is fine. The dining exp
Après :     ['come', 'movie', 'dining_experience', 'movie', 'experience', 'dining_experience', 'need', 'lot', 'work', 'visit']

Avant :     Not very happy with this store or their customer service. We just had our order delivered and our br
Après :     ['store', 'customer_service', 'order', 'deliver', 'breadstick', 'come', 'butter', 'seasoning', 'call', 'tell']

Avant :     This location is TERRIBLE. Order from any other location if you can. The last 3 times I ordered, my 
Après :     ['location', 'order', 'location', 'time', 'order', 'pizza', 'deliver', 'hour', 'past', 'say']

Avant :     I don't even have words to describe the tacos. I ordered Shrimp and Asada tacos, which both managed 
Après :     ['word', 'describe', 'order', 'manage', 'meat', 'grill', 'corn', 'food', 'need', 'salt']

Avant :     Tried this place due to the high rating on Yelp.  This is one of the few times where I completely di
Après :     ['try', 'place', 'rating', 'yelp', 'time', 'disagree', 'yelp', 'rating', 'order', 'sprite']

Avant :     Closed before closing time. Don't go here if it is close to closing time cuz they close early.
Après :     ['close', 'closing_time', 'closing_time']

Avant :     Clearly, there is some sort of disconnect here.  For those of you that have given Taqueria Pico de G
Après :     ['sort', 'disconnect', 'give_star', 'ask', 'cult', 'follow', 'taste', 'simmer', 'hour', 'vat']

Avant :     Came to this place for the first time for lunch. Waited 30 minutes for 2 chicken quesadillas. Heard 
Après :     ['come', 'place', 'time', 'lunch', 'wait_minute', 'hear', 'call', 'number', 'ask', 'food']

Avant :     I was here years ago, and from what I remembered it was good. I ordered three lengua tacos (tongue t
Après :     ['year', 'remember', 'good', 'order', 'speak', 'folk', 'cabeza', 'cheek', 'neck', 'meat']

Avant :     Normal Mexican food, nothing special. The hot sauce was good, and corn tortilla. Unfortunately on ou
Après :     ['food', 'sauce', 'corn', 'tortilla', 'way', 'see', 'cockroach', 'kitchen', 'area']

Avant :     I was looking forward to trying out these tacos based on the fact that they serve them with handmade
Après :     ['look', 'try', 'taco', 'base', 'fact', 'serve', 'handmade', 'tortilla', 'agree', 'reviewer']

Avant :     We've eaten here often in the past. Mom loves their fish tacos. Hubby and I bring her here to get th
Après :     ['eat', 'mom', 'love', 'fish', 'hubby', 'bring', 'use', 'place', 'lot', 'keep']

Avant :     My family are eating dinner at Old Country Buffet by Oxford Valley Mall as I write this. We usually 
Après :     ['family', 'eat', 'dinner', 'country', 'write', 'come', 'breakfast', 'decide', 'come', 'dinner']

Avant :     I wanted to like this truck, as I enjoyed it at a previous food truck event.  Unfortunately, this ti
Après :     ['want', 'truck', 'enjoy', 'food', 'truck', 'event', 'time', 'take', 'order', 'wait_minute']

Avant :     I know they're all the same chain but I wasn't particularly crazy about this one. The quality wasn't
Après :     ['know', 'chain', 'quality', 'visit', 'look', 'taste', 'creamy', 'try', 'orlando', 'flavor']

Avant :     There are various ways Twistee treat could be improved. The employees' cone making skills are subpar
Après :     ['way', 'treat', 'improve', 'employee', 'cone', 'make', 'skill', 'subpar', 'cause', 'ice_cream']

Avant :     Went over before 20 min closing and got ignored instead of notifying us that they close. I know peop
Après :     ['closing', 'ignore', 'notify', 'people', 'want', 'home', 'pm', 'time']

Avant :     Sat in drive thrugh line for over 15 minutes for an ice cream. Seriously!! Drove right through and w
Après :     ['drive', 'thrugh', 'line', 'minute', 'ice_cream', 'drive', 'bruster']

Avant :     Typical Sushi Chain, You should not expect anything special. Standard, boring quality.
Après :     ['chain', 'expect', 'quality']

Avant :     The quality of the food and speed of service isn't consistent with their downtown location. Sashimi 
Après :     ['quality', 'food', 'speed', 'service', 'downtown', 'location', 'piece', 'cut', 'way', 'rip']

Avant :     Worst sushi I've ever had. Worse than all you can eat sushi. The fish is gross, the rolls are terrib
Après :     ['eat', 'fish', 'roll', 'fall', 'sushi']

Avant :     I really like the atmosphere of this place. A little more upscale feeling than your typical sushi pl
Après :     ['atmosphere', 'place', 'feeling', 'taste', 'excite', 'town', 'love', 'name']

Avant :     We called in our order, gave our phone number and after repeating both our phone number and order ba
Après :     ['call', 'order', 'give', 'phone_number', 'repeat', 'phone_number', 'order', 'state', 'minute', 'show']

Avant :     I know it's fast food but from such a beautiful location and brand new store I expected more. The sa
Après :     ['know', 'food', 'location', 'brand', 'store', 'expect', 'salad', 'size', 'come', 'bread']

Avant :     Ordered a 1/2 chicken combo in drive through.  Get to window and they wanted confirm a 14 piece chic
Après :     ['order', 'chicken', 'window', 'want', 'confirm', 'piece', 'say', 'clarify', 'order', 'piece']

Avant :     We have been coming to this location since they open but it is slowly going down hill. The people th
Après :     ['come', 'location', 'hill', 'people_work', 'register', 'know', 'product', 'problem', 'drink', 'machine']

Avant :     I love the wing lovers meal.  It is what I eat at El Pollo Loco.  Rarely is it not available.today I
Après :     ['love', 'wing', 'lover', 'meal', 'eat', 'today', 'sound', 'restaurant', 'say', 'today']

Avant :     They only get a 3 because the shrimp cocktail appetizer was really good. The steak was dry, the pota
Après :     ['appetizer', 'steak', 'potato', 'butter', 'king', 'crab', 'time', 'try', 'place', 'like']

Avant :     TERRIBLE, AWFUL service. We were ignored, never had water, had to ask for table to be cleared, waite
Après :     ['service', 'ignore', 'water', 'ask', 'table', 'clear', 'waiter', 'change', 'service', 'one']

Avant :     I was so excited to try this place given how much I love Thai Phooket in Nashville. I order food for
Après :     ['try', 'place', 'give', 'love', 'order', 'food', 'take', 'walk', 'ask', 'nashville']

Avant :     I order online and they forgot to give my mother a soda that I order and manager claimed it was my m
Après :     ['order', 'forgot', 'give', 'mother', 'soda', 'order', 'manager', 'claim', 'mother', 'fault']

Avant :     The food was terrible! the sushi had no flavor. Beef was soo dry.  Potato salad was nothing close to
Après :     ['food', 'beef', 'potato_salad', 'food']

Avant :     Very rude. When I asked for no wasabi, they just wiped it off the fish and sent it back. Since I jus
Après :     ['ask', 'wipe', 'fish', 'send', 'allergic', 'eat', 'charge', 'order', 'give', 'fish']

Avant :     You get what you pay for. Shrimp and vegetable tempura means you get 1 shrimp. Lol. Just FYI.
Après :     ['pay', 'shrimp', 'vegetable', 'tempura', 'mean', 'fyi']

Avant :     Really was expecting more.  I usually go to the Wilmot location but thought I'd check this one out. 
Après :     ['expect', 'wilmot', 'location', 'think', 'check', 'mistake', 'party', 'thing', 'look', 'eat']

Avant :     The sushi is good and I have no complaints!
But, I tried the Beef Teriyaki and it made me SO SICK!!!
Après :     ['complaint', 'try', 'beef', 'teriyaki', 'make', 'warn']

Avant :     Being from California, I'm spoiled. Below average and all the fish was mushy. Like it was frozen and
Après :     ['spoil', 'fish', 'temperature', 'quality', 'fish', 'taste', 'say', 'flavor', 'guess', 'come']

Avant :     Today I dined at the Spice Kitchen for the buffet. I got there at 11:30 am, and although the food is
Après :     ['today', 'dine', 'kitchen', 'buffet', 'food', 'say', 'level', 'service', 'plummet', 'host']

Avant :     This place simply sucks all around. FOOD is watery ..no taste. It is not indian food in short..not s
Après :     ['place', 'suck', 'food', 'taste', 'food', 'train', 'chef', 'portion', 'quality', 'food']

Avant :     We have loved this restaurant in the past, but this evening's meal was very disappointing.  We order
Après :     ['love', 'restaurant', 'evening', 'meal', 'order', 'pickup', 'time', 'food', 'food', 'deal']

Avant :     Came for all-you-can-eat, and ended up waiting for over half an hour to get our order in. The server
Après :     ['come', 'eat', 'end', 'wait', 'hour', 'order', 'server', 'ignore', 'take', 'order']

Avant :     One of the worst sushi places I have been to in town.  My husband and I decided to try it out based 
Après :     ['place', 'town', 'husband', 'decide', 'try', 'base_review', 'mistake', 'mussel', 'crispy', 'cook']

Avant :     Very unhappy with the treatment we received today. After eating a Sushi Rose since it opened up, and
Après :     ['treatment', 'receive', 'today', 'eat', 'rise', 'open', 'parent', 'restaurant', 'door', 'sushi']

Avant :     I came in on a Sunday lunch hour to order to go..They weren't that busy, about five people at the ba
Après :     ['come', 'lunch', 'hour', 'order', 'people', 'bar', 'table', 'staff', 'greet', 'menu']

Avant :     Tried this place out this morning due to the relatively cheap price and good reviews and I was VERY 
Après :     ['try', 'place', 'morning', 'price', 'review', 'disappoint', 'tuna_roll', 'want', 'room_temperature', 'fish']

Avant :     I have been coming to this place for about a year now. I really enjoyed the sushi rolls and appetize
Après :     ['come', 'place', 'year', 'enjoy', 'roll', 'appetizer', 'service', 'depend', 'today', 'hour_half']

Avant :     This place is pigs serving pigs....sushi a mess. Luke warm like the saki. Last time I went some jerk
Après :     ['place', 'pig', 'serve', 'pig', 'time', 'jerk', 'tank', 'baseball', 'cap', 'sit']

Avant :     we had to wait a while and empty restaurant to get seated.  When we were finally seated we had some 
Après :     ['wait', 'restaurant', 'seat', 'seat', 'look', 'people', 'help', 'cause', 'ignore', 'serve']

Avant :     Absolutely disgusting!!! The fish was rubbery the service was poor and I would never ever ever eat t
Après :     ['fish', 'rubbery', 'service', 'poor', 'eat']

Avant :     It had been a while since we have been here and since then, service had gone downhill quite a bit. W
Après :     ['service', 'bit', 'waiter', 'drink', 'wait', 'ask', 'dessert', 'leave', 'pay', 'know']

Avant :     Went here tonight with some friends. Service was pretty good and the sushi was okay. I ordered three
Après :     ['tonight', 'friend', 'service', 'order', 'cook', 'soup', 'salad', 'give_star', 'fact', 'food_poisoning']

Avant :     They are only getting 1 star because of their chefs! I wish I could give separate stars for their ch
Après :     ['star', 'chef', 'wish', 'give_star', 'chef', 'come', 'year', 'experience', 'today', 'stamp']

Avant :     This place doesn't even deserve to have one star. 
The service is EXTREMELY slow. 
We have been wait
Après :     ['place', 'deserve_star', 'service', 'waiting_hour', 'half', 'time', 'drink_refill', 'love', 'see', 'group']

Avant :     Worst sushi experience ever! 
We had been waiting for our first roll on an all you can eat for more 
Après :     ['experience', 'wait', 'roll', 'eat', 'hour', 'table', 'arrive', 'wait', 'receive', 'food']

Avant :     Terrible service
They made our order twice and charged me for it!!!! 
We had already eaten our rolls
Après :     ['service', 'make', 'order', 'charge', 'eat', 'roll', 'bring', 'tell', 'waitress', 'order']

Avant :     This is the absolutely lowest quality sushi bar in Reno. Everything tastes fine and service is decen
Après :     ['quality', 'bar', 'reno', 'taste', 'service', 'problem', 'razor', 'slice', 'quality', 'fish']

Avant :     1 word: HORRIBLE.
Horrible Service. Gave us wrong orders couple of times.
Horrible Food. Cream chees
Après :     ['word', 'service', 'give', 'order', 'couple', 'time', 'food', 'cream_cheese', 'avocado', 'know']

Avant :     Worst sushi I've ever had! Everything was extremely fishy.  Fishy = Not Fresh
We couldn't finish wha
Après :     ['sushi', 'finish', 'order', 'service', 'vanilla', 'ice_cream', 'part', 'sake']

Avant :     Good fish! Terrible service! I have been there several times and every time its the same. I have bee
Après :     ['fish', 'service', 'time', 'time', 'treat', 'favor', 'serve', 'pay', 'customer']

Avant :     Overpriced. Small rolls. Large rice to fish ratio. Bad quality sushi.


... but at least there's fre
Après :     ['overprice', 'roll', 'rice', 'fish', 'ratio', 'quality', 'alcohol', 'ayce']

Avant :     Decor was better then the food. Prices were ok but food lacked seasoning. Empanadas dough was frozen
Après :     ['decor', 'food', 'price', 'food', 'lack', 'season', 'dough', 'freeze', 'dough', 'beef']

Avant :     I have been here a couple of times before and have never been that impressed, but I thought I'd give
Après :     ['couple', 'time', 'impress', 'thought', 'give', 'try', 'order', 'grill', 'bugolgi', 'take']

Avant :     The sushi was tiny, and our waitress didn't check up on us--I literally had to stand up and get my o
Après :     ['waitress', 'check', 'stand', 'wasabi', 'wait', 'check', 'notice', 'sh', 'pass', 'waiter']

Avant :     Omg, the worst Japanese restaurant I had in my life. One star for the grilled squid appetizer only. 
Après :     ['restaurant', 'life', 'star', 'grill', 'appetizer', 'roll', 'show', 'walk', 'tv', 'lunch']

Avant :     Horrible experience! Staff was rude and unwilling to cooperate with us and our promotional coupon. T
Après :     ['experience', 'staff_rude', 'unwilling', 'cooperate', 'coupon', 'restriction', 'coupon', 'list', 'rule', 'visit']

Avant :     We love our Venezuelan waitress but the rest of the crew didn't seem to want us there because of our
Après :     ['love', 'rest', 'crew', 'seem', 'want', 'toddler', 'take', 'chair', 'clear', 'table']

Avant :     Our experience was different from that of most other reviewers here. Service was really slow and the
Après :     ['experience', 'reviewer', 'service_slow', 'plate', 'fact', 'avoid', 'salad', 'oversweet', 'dress', 'miso_soup']

Avant :     $15+tax for a bottle of soju?! That stuff costs $6 at the local asian market ($4 back home in nyc). 
Après :     ['tax', 'bottle', 'soju', 'stuff', 'cost', 'market', 'overprice']

Avant :     I am not impressed. I ordered an Italian sausage sandwich. I expected an actual Italian sausage sand
Après :     ['order', 'sausage', 'sandwich', 'expect', 'sausage', 'sandwich', 'roll', 'slice', 'sausage', 'ton']

Avant :     I visited for lunch- The highlight of my experience was Garland the perfect bartender. He was helpfu
Après :     ['visit', 'lunch', 'highlight', 'experience', 'garland', 'bartender', 'prompt', 'know', 'service', 'job']

Avant :     Came here a second time. Unless you want food poisoning like I'm going through as of right now, don'
Après :     ['come', 'time', 'want', 'food_poisoning', 'come']

Avant :     I came here and left a review before but last time I didn't get food poisoning. Unless you want to s
Après :     ['come', 'leave', 'review', 'time', 'food_poisoning', 'want', 'stay', 'night', 'puking', 'suggest']

Avant :     We went there last night and my husband ordered the Crab Rossa.  He was so disappointed, there were 
Après :     ['night', 'husband', 'order', 'crab', 'rossa', 'disappoint', 'piece', 'crab', 'dish', 'service']

Avant :     Ok so the service was good but the food was disappointing. The eggplant parmigiana was ok a little t
Après :     ['service', 'food', 'eggplant', 'parmigiana', 'tomato', 'miss_mark', 'owner', 'stella', 'harvest', 'grill']

Avant :     When we entered, the restaurant was busy on a Saturday night but the 3 hostesses were so busy with o
Après :     ['enter', 'restaurant', 'night', 'hostess', 'time', 'greet', 'tell', 'minute', 'wait', 'wait']

Avant :     I go back and forth with this place. It's nice to have somewhere close to go and Downingtown doesn't
Après :     ['place', 'offer', 'recommend', 'appetizer', 'cheese', 'pizza', 'meatball']

Avant :     I had heard decent reviews about this place and gave it a try. The service was solid but the food wa
Après :     ['hear', 'review', 'place', 'give', 'try', 'service', 'food', 'pizza_crust', 'underwhelme', 'pizza']

Avant :     Very cheap food. Stay away please. Dont buy sick. If you go here that  may be your first and last...
Après :     ['food', 'stay', 'buy', 'visit']

Avant :     Worst Nova Omelette Ever!
Had to send back.
My girl's was the same!
They claimed there was a new man
Après :     ['send', 'girl', 'claim', 'man', 'skin', 'scrap', 'slice', 'salmon', 'grow', 'work']

Avant :     I want to like this place since it's right around the corner from me, but it's just less than medioc
Après :     ['want', 'place', 'corner', 'way_overprice', 'roll', 'fish', 'location', 'price']

Avant :     The guy was great, he was a good server. 
server: we are know for our "UNI" he brag bout it then, af
Après :     ['guy', 'server', 'server', 'know', 'brag', 'bout', 'order', 'say', 'weekend', 'remove']

Avant :     We have dined there before but tonight I was absolutely crushed and disappointed. Do not book them o
Après :     ['dine', 'tonight', 'crush', 'book', 'table', 'reservation', 'appoint', 'time', 'try', 'seat']

Avant :     This place is wayyy overpriced and the sushi isnt all that great. Ordered the spider rolls tempura, 
Après :     ['overprice', 'order', 'spider_roll', 'roll', 'service', 'set', 'place', 'bother', 'come', 'reason']

Avant :     My group and I were asked to leave because they had to make room for more people. I will never eat h
Après :     ['group', 'ask', 'leave', 'make', 'room', 'people', 'eat', 'hope', 'manager', 'see']

Avant :     We visited Philadelphia and were looking for good Japanese restaurant.  We went to Izumi since Yelp'
Après :     ['visit', 'look', 'restaurant', 'izumi', 'yelp_review', 'disappoint', 'live', 'believe', 'think', 'use']

Avant :     Walked out after waiting 20+ min with no server offering to get us drinks or take our order. There w
Après :     ['walk', 'wait_min', 'server', 'offer', 'drink', 'take', 'order', 'server', 'pass', 'time']

Avant :     Convenient location. Service varies. Last time I went was fine, but this isn't always the case. Thei
Après :     ['location', 'service', 'vary', 'time', 'case', 'hygiene', 'procedure', 'watch', 'employee', 'make']

Avant :     Do not come here if you want a salad. It seemed like no one there knew how to actually do the salads
Après :     ['come', 'want', 'salad', 'seem', 'know', 'salad', 'put', 'cheese', 'dress', 'salad']

Avant :     Subways are generally pretty solid and I would give them 3 stars overall as a chain due to their hea
Après :     ['subway', 'give_star', 'chain', 'option', 'location', 'pit', 'space', 'cramp', 'look', 'eat']

Avant :     Fair at best, go if hungry and see no other options to eat. Have had a couple burritos from here. No
Après :     ['see', 'option', 'eat', 'couple', 'mind', 'blow', 'cure', 'hunger', 'option', 'visit']

Avant :     Ate here twice. First time, I was pleasantly surprised with my chicken burrito on jalepeno cheddar t
Après :     ['eat', 'time', 'time', 'gross', 'steak', 'burrito', 'star', 'review']

Avant :     Disgusting! Huge flies, undercooked meat. Uncooked hard rice. I am totally waiting for food poisonin
Après :     ['fly', 'undercooke', 'meat', 'uncooke', 'rice', 'wait', 'food_poisoning', 'kick']

Avant :     The food is heavily outclassed by chipotle and isnt wonderfully seasoned either especially not the g
Après :     ['food', 'outclass', 'chipotle', 'season', 'atmosphere', 'par', 'leg', 'cookie', 'cookie', 'bakery']

Avant :     If this review was on the food alone, it would be much higher. The pretzels here taste much better t
Après :     ['review', 'food', 'pretzel', 'taste', 'wetzel', 'pretzel', 'tell', 'people', 'minute', 'make']

Avant :     Meh. This pizza was basically a deep-dish grease pie. Not my style at all.

The wings were OK but no
Après :     ['pizza', 'dish', 'grease', 'pie', 'style', 'wing', 'ranch', 'dipping_sauce', 'cheese', 'think']

Avant :     Average food. I saw the reviews on Yelp and had high expectations from this place. However, the food
Après :     ['food', 'see', 'review_yelp', 'expectation', 'place', 'food', 'bland', 'americanize', 'try', 'use']

Avant :     Restaurant appeared very clean and staff was polite and helpful. 

I ordered a falafel sandwich and 
Après :     ['restaurant', 'appear', 'staff', 'order', 'falafel', 'sandwich', 'taste', 'fry', 'shrimp', 'serve']

Avant :     Very rude manger, prices are exaggerated...been going there for 2 years. Food is a hit or miss. Neve
Après :     ['price', 'exaggerate', 'year', 'food', 'hit_miss', 'taste', 'credit_card', 'purchase', 'dollar', 'purchase']

Avant :     Called twice to order food because the reviews looked pretty decent and was put on hold both times..
Après :     ['call', 'order', 'food', 'review', 'look', 'put_hold', 'time', 'bother', 'come', 'answer_phone']

Avant :     The food wasn't very good. I have no idea why there's currently 4.5 stars. The wings were the best b
Après :     ['food', 'idea', 'star', 'wing', 'food', 'way', 'yelp', 'let', 'time']

Avant :     Tacos.....
The chips and salsa were pretty lame.....and the tacos were ok.....nothing special.....
Après :     ['chip', 'taco']

Avant :     We used to go here quite a bit, but haven't been in a few months.  The food and service was always g
Après :     ['use', 'bit', 'month', 'food', 'service', 'today', 'service', 'margarita', 'glass', 'cover']

Avant :     Do not go here if you are looking for a value for your money.  Their Tres Quesos comes in a tiny con
Après :     ['look', 'value', 'money', 'tre', 'quesos', 'come', 'container', 'size', 'potato', 'popeye']

Avant :     I wish they wouldn't price gouge people during Mardi Gras.  Last year, I watched a parade by them an
Après :     ['wish', 'price', 'gouge', 'people', 'mardi', 'gra', 'year', 'watch', 'parade', 'include']

Avant :     Bought a Mardi Gras package online. Don't do this save your $$. For the amount of money you could fe
Après :     ['buy', 'package', 'save', 'amount', 'money', 'feed', 'people', 'drink', 'feel_rip', 'buyer']

Avant :     I was greatly disappointed with the wait. We were told that they could seat us, but after a 40-minut
Après :     ['disappoint', 'wait', 'tell', 'seat', 'minute', 'wait', 'pass', 'party', 'send', 'mention']

Avant :     I made a reservation for 5 people 4 days in advance but when we came in the table was not available.
Après :     ['make_reservation', 'people', 'day', 'advance', 'come', 'table', 'complain', 'owner', 'owner', 'wish']

Avant :     My friends and I went for dinner last night and were really excited as we read/heard some great revi
Après :     ['friend', 'dinner', 'night', 'read', 'hear', 'review', 'place', 'hype', 'server', 'reason']

Avant :     Food quality and taste are mediocre. Veal parm was bland and tasted like dry, fried breading. Marina
Après :     ['food', 'quality', 'taste', 'veal', 'bland', 'taste', 'fry', 'bread', 'marinara', 'sauce']

Avant :     Ridiculous!
Reservations for 7. Excuse after excuse after excuse. 45 minutes later still waiting. No
Après :     ['reservation', 'excuse', 'excuse', 'excuse', 'minute', 'wait', 'apology', 'point', 'make_reservation', 'food']

Avant :     Went last Friday night for a 7:30 reservation. Left outside standing in the rain waiting to 8:30.  W
Après :     ['night', 'reservation', 'leave', 'stand', 'rain', 'waiting', 'party', 'dinner', 'seem_care', 'give']

Avant :     Can u say microwave and sushi from last week they found on the floor for reg price aka double the pr
Après :     ['say', 'week', 'find', 'floor', 'reg', 'price', 'price', 'say', 'lol']

Avant :     Used to love this place up until last week when we were encountered by Ralph the roach from Joe's ap
Après :     ['use_love', 'place', 'week', 'encounter', 'apartment', 'bug', 'stare', 'boyfriend', 'glass', 'tap']

Avant :     I went with a party of 6 for my birthday dinner 
The atmosphere is pleasant enough for the old world
Après :     ['party', 'birthday', 'dinner', 'atmosphere', 'world', 'charm', 'chair', 'sink', 'middle', 'make']

Avant :     Went out to lunch with a large group of coworkers here on 8/14/14. Sat outside on the patio. Service
Après :     ['lunch', 'group', 'coworker', 'sit', 'patio', 'service', 'food', 'service', 'server', 'woman']

Avant :     We stopped in for the lunch special (on recommendation from the park visitor center) and were told i
Après :     ['stop_lunch', 'recommendation', 'park', 'visitor', 'tell', 'patio', 'patio', 'close', 'day', 'return']

Avant :     I've heard only good things about The Washington Crossing Inn.  However, judging from my experience 
Après :     ['hear_thing', 'cross', 'judge', 'experience', 'night', 'thing', 'atmosphere', 'service', 'pay', 'food']

Avant :     Well it was snowing and we needed somewhere close so we went here for dinner. I really want to like 
Après :     ['snow', 'need', 'dinner', 'want', 'place', 'home', 'kind', 'wether', 'meet', 'mark']

Avant :     Very disappointing.  Menu is a mishmash -- dim sum appetizers at a colonial inn?  Food was lousy, se
Après :     ['appetizer', 'inn', 'food', 'service', 'stink', 'bug', 'window', 'hover', 'waiter', 'menu']

Avant :     It is such a shame to see a place this beautiful go to waste.  What used to be a go-to spot for ever
Après :     ['shame', 'see', 'place', 'waste', 'use', 'spot', 'occasion', 'become', 'memory', 'year']

Avant :     I think my meal was OK but definitely was priced high for what is was. Most importantly I was extrem
Après :     ['think', 'meal', 'price', 'way', 'situation', 'table', 'handle', 'patron', 'bum', 'fall']

Avant :     There was a time I would have given Tryst 5 stars. Food was good, drinks reasonably priced and the h
Après :     ['time', 'give', 'tryst', 'star', 'food', 'drink', 'price', 'house', 'music', 'town']

Avant :     Food is awesome
Location is perfect
Service is impeccable
What makes this place awful is they allow 
Après :     ['food', 'location', 'service', 'impeccable', 'make', 'place', 'allow', 'smoker', 'complain', 'server']

Avant :     I have tried many of the places in downtown St Pete so had to try this place. 
The pasta carbonara w
Après :     ['try', 'place', 'downtown', 'pete', 'try', 'place', 'pasta', 'cook', 'tryst', 'drink']

Avant :     Went here with my fiancé we ordered a bottle of wine, two salads and they somehow managed to get one
Après :     ['fiance', 'order', 'bottle_wine', 'salad', 'manage', 'salad', 'bill', 'come', 'service', 'recommend']

Avant :     I cannot comment on the food. The decor is nice but incredibly tight. I was more surprised by the fa
Après :     ['comment', 'food', 'decor', 'fact', 'sell', 'beer', 'expiration', 'date', 'hope', 'patron']

Avant :     Service was pretty slow.  

Sat at the bar outside...there were three people at the bar and 2 bar te
Après :     ['service', 'bar', 'people', 'bar', 'bar_tender', 'spend', 'time', 'chat', 'ignore', 'customer']

Avant :     Got there and lady's was not welcoming but neutral asking if we were ready. Took a while then finall
Après :     ['lady', 'welcome', 'ask', 'take', 'order', 'chicken', 'sandwhich', 'dollar', 'lemonade', 'fry']

Avant :     The tables are filthy.  I wiped one off with a napkin and it was black when I got done.  It's always
Après :     ['table_wipe', 'napkin', 'black', 'management', 'turn', 'heat', 'winter', 'food']

Avant :     I wanted to love this place, an independently owned small strip center restaurant.

When its all sai
Après :     ['want', 'love', 'place', 'center', 'restaurant', 'say', 'food', 'place', 'chon', 'food']

Avant :     Took forever to deliver and I am just blocks away. They claim one driver had ten orders to deliver, 
Après :     ['take', 'deliver', 'block', 'claim', 'driver', 'order', 'deliver', 'hour', 'wait', 'disappointment']

Avant :     Issa NO for me! The dining room was cold. The food was meh. They pile it on here, but I'll take qual
Après :     ['dining_room', 'food', 'meh', 'pile', 'take', 'quality_quantity', 'anyday', 'ice', 'lemonade', 'taste']

Avant :     Food is Great!!!! But the service stinks ! I came to pick up my food and the lady seemed like she di
Après :     ['food', 'service', 'stink', 'come', 'pick', 'food', 'lady', 'seem', 'want', 'bother']

Avant :     I'm from out of town and picked up an awful sinus infection. I neeeeeded hot and sour soup. I got br
Après :     ['town', 'pick', 'sinus', 'infection', 'neeeeede', 'soup', 'vegetable', 'ounce', 'corse', 'ground']

Avant :     We arrived when it just opened...about 10 more tables came in.  ALL were served before us even thoug
Après :     ['arrive', 'table', 'come', 'serve', 'place', 'order', 'pot', 'sticker', 'burn', 'taste']

Avant :     I'm not sure what happened to their Kung Pao chicken, but it is horrifying. You spend more time pick
Après :     ['happen', 'horrify', 'spend', 'time', 'pick', 'bone', 'time', 'enjoy', 'meal', 'sauce']

Avant :     DISGUSTING!!! I ordered out last night: Sweet/Sour Chicken, Chicken Fried Rice and Egg Rolls. The eg
Après :     ['order', 'night', 'chicken', 'chicken', 'fry_rice', 'egg_roll', 'egg_roll', 'meat', 'pork', 'tell']

Avant :     As a small business owner myself, I'm usually not one to post a review after just one visit, everybo
Après :     ['business', 'owner', 'post', 'review', 'visit', 'benefit_doubt', 'dinner', 'place', 'taste', 'water']

Avant :     Very disappointing experience- we wondered why we were the only people there at lunch on a Saturday,
Après :     ['experience', 'wonder', 'people', 'lunch', 'order', 'lunch', 'menu', 'surprise', 'size', 'portion']

Avant :     We keep giving this a try again every 6 months or so, only to realize it's not getting any better.  
Après :     ['keep', 'give', 'try', 'month', 'realize', 'food', 'spoil', 'environment', 'service', 'kitchen']

Avant :     Worst service and food I've ever had at a PF Changs, ever. As someone who eats at PF Changs 2+ times
Après :     ['service', 'food', 'chang', 'eat', 'chang', 'time', 'month', 'location', 'disappointment', 'food']

Avant :     Food is good, but service stinks, won't be back.
Après :     ['food', 'service', 'stink']

Avant :     We love Chinese and Vietnamese food.  We tried this place twice thinking the first time may have bee
Après :     ['love', 'food', 'try', 'place', 'think', 'time', 'day', 'chef', 'time', 'loser']

Avant :     I've been to a few PF Changs in my life but pretty sure this one is not towards the top.  

My husba
Après :     ['chang', 'life', 'husband', 'start', 'potsticker', 'come', 'way', 'bite', 'let_start', 'frustrate']

Avant :     Absolutely a no go.  Used to be a go to.  Food and service are all in the gutter.   Last time I got 
Après :     ['use', 'food', 'service', 'gutter', 'time', 'pork', 'dumpling', 'spot', 'broccoli', 'spice']

Avant :     Every time I've been to this location two things were a constant- bad service and mediocre, at best,
Après :     ['time', 'location', 'thing', 'service', 'food', 'give_chance', 'recommend', 'bistro', 'star', 'atmosphere']

Avant :     Cute little eatery. The staff was nice. We ordered the rosemary hand cut steak sandwich. Eating half
Après :     ['cute', 'eatery', 'staff', 'order', 'steak', 'sandwich', 'eat', 'half', 'take', 'chunk']

Avant :     All I have to say is that Epcot's Mexico had better tacos than this authentic Mexican joint.

And th
Après :     ['say', 'meat', 'bean_rice', 'bland', 'steak', 'try', 'pork', 'skin', 'imagine', 'eat']

Avant :     I know I shouldn't expect much but everything I asked for that was on the drive thru menu was not av
Après :     ['know', 'expect', 'ask', 'drive', 'menu', 'see', 'movie', 'wait', 'word', 'advice']

Avant :     was in this location today at 4:40. I ordered two (2) angus bacon and cheese burgers. I asked for no
Après :     ['location', 'today', 'order', 'bacon', 'cheese', 'burger', 'ask', 'onion', 'cheese', 'pickle']

Avant :     want some heroin with your cheese burger? this is the mcdonalds for you!
Après :     ['want', 'cheese', 'burger', 'mcdonald']

Avant :     I went in here for an egg mcmuffin, and it was made with the wrong kind of egg! It's not often I mak
Après :     ['egg', 'mcmuffin', 'make', 'kind', 'egg', 'make', 'time', 'mcdonnald', 'breakfast', 'tell']

Avant :     Was over charged when we received the bill.  The owner recommended we add an entree to one of the $2
Après :     ['charge', 'receive', 'bill', 'owner', 'recommend', 'add', 'combo', 'cover', 'charge', 'entree']

Avant :     The owner is very bad in service. She was not only rude but just didn't have any manners to run the 
Après :     ['owner', 'service', 'manner', 'run', 'business', 'food', 'general', 'come', 'service', 'rudeness']

Avant :     I'm Eritrean and I've been to plenty of Ethiopian and Eritrean restaurants! And this lady is full of
Après :     ['restaurant', 'lady', 'charge', 'item', 'suppose', 'come', 'order', 'suppose', 'come', 'side']

Avant :     Terrible experience.  Waitresses were rude, asked for a side of dressing, they dipped their fingers 
Après :     ['experience', 'waitress', 'ask', 'side', 'dress', 'dip', 'finger', 'ask', 'manager', 'come']

Avant :     We have been dining at Rode's for several years.  Last year we had a very pleasant New Year's dinner
Après :     ['dining', 'ride', 'year', 'year', 'year', 'dinner', 'year', 'pork', 'bus', 'staff']

Avant :     We gave Rode's one more try.  The food was average, the service was slow.  We had fried shrimp platt
Après :     ['give', 'ride', 'one', 'try', 'food', 'service', 'fry', 'shrimp', 'fry', 'fish']

Avant :     Nice room, appears to be going through an expansion.  Was told a 25 min wait at 8pm on a Sat night a
Après :     ['room', 'appear', 'expansion', 'tell', 'wait', 'night', 'see', 'set', 'table', 'wait']

Avant :     Hello, this place has bugs! Like, not just one, but many... several... disgusting! You could see the
Après :     ['place', 'bug', 'disgusting', 'see', 'crawl', 'buffet', 'stick', 'drink', 'see', 'wait']

Avant :     medocre to say the "most"  pretty much cookie cutter Egyptian or Greek owned family diners in this a
Après :     ['say', 'cookie', 'cutter', 'greek', 'family', 'diner', 'substandere', 'cook', 'becuase', 'house']

Avant :     The atmosphere was good, however I didn't like the music. So loud.

If you are looking for Japanese 
Après :     ['atmosphere', 'music', 'look', 'raman', 'noodle', 'order', 'taste', 'cook', 'raman', 'wait']

Avant :     I was so excited to eat here after seeing some Yelp pics but I should have contained myself and went
Après :     ['eat', 'see', 'yelp', 'pic', 'contain', 'samurai', 'virago', 'wrap', 'roll', 'bermuda']

Avant :     I have been here twice and was displeased both times. If you like cooked sushi swimming in too much 
Après :     ['time', 'cook', 'mayo', 'base', 'sauce', 'time', 'taste', 'half', 'roll', 'fry']

Avant :     They must have thought it was my first time!? Salmon smelled horrible and was sweating... After losi
Après :     ['think', 'time', 'salmon', 'smell', 'sweating', 'lose_appetite', 'send', 'food', 'pay', 'beer']

Avant :     Awful, Awful, Awful... I'm never going back. That place is filthy, the food was disguising, the all 
Après :     ['awful', 'place', 'food', 'disguise', 'lunch', 'worth']

Avant :     Was hungry for sushi last night and wanted to order online.  The online menu is as busy and as confu
Après :     ['night', 'want', 'order', 'menu', 'menu', 'restaurant', 'look', 'need', 'give', 'kroger']

Avant :     This place takes forever to serve mediocre Japanese fare (and pretty terrible sushi) and bombards yo
Après :     ['place', 'take', 'serve', 'fare', 'bombard', 'techno', 'music', 'level', 'restaurant', 'service']

Avant :     I've been here twice. First experience was nothing to write home about. I probably wouldn't have eve
Après :     ['experience', 'write_home', 'friend', 'insist', 'lunch', 'ask', 'find', 'staple', 'order', 'menu']

Avant :     Four years ago, this was the #1 sushi spot in Nashville. The only reason why I did not go more often
Après :     ['year', 'reason', 'car', 'lunch_buffet', 'quality', 'hand', 'tuna', 'fill', 'tray', 'price']

Avant :     My friend & I have ordered from this place twice. The first time we had a really decent cheese steak
Après :     ['friend', 'order', 'place', 'time', 'cheese_steak', 'know', 'steak', 'sandwich', 'place', 'order']

Avant :     Tonight I was dying for chicken wings so I ordered the 10-piece hot set. To meet the order minimum I
Après :     ['tonight', 'die', 'chicken', 'wing', 'order', 'piece', 'set', 'meet', 'order', 'minimum']

Avant :     If you're looking for a place for a great salad this is not the place. Like most places I've ordered
Après :     ['look', 'place', 'place', 'place', 'order', 'fry', 'food', 'lettuce', 'rotten', 'order']

Avant :     Bad food and even worse service.  How many times did they screw up my order or completely forget to 
Après :     ['food', 'service', 'time', 'screw', 'order', 'forget', 'make', 'write_review', 'lot', 'deal']

Avant :     Pizza is GROSSSS. Both times I got pizza here it was soggy, extra salty, soggy, undercooked and it j
Après :     ['pizza', 'grossss', 'time', 'pizza', 'undercooke', 'fall', 'mess', 'person', 'come', 'pizza']

Avant :     I have only had takeout from here.  It wasn't that good, and I didn't think it was very authentic.  
Après :     ['takeout', 'think', 'king', 'want', 'food', 'suggest', 'shop', 'lot', 'choice', 'jaipur']

Avant :     I went in to order a take-out dinner but the host / owner (not sure) was too busy on the phone speak
Après :     ['order', 'take', 'dinner', 'host', 'owner', 'phone', 'speak', 'cell_phone', 'provider', 'take']

Avant :     This location is supposed to be open until 1 AM and I came up at 10 PM and it was closed. I think it
Après :     ['location', 'suppose', 'open', 'come', 'close', 'think', 'mention', 'review', 'say', 'take']

Avant :     I noticed as we entered the restaurant wasn't busy. I expected it to be cleaner. After we ordered an
Après :     ['notice', 'enter', 'restaurant', 'expect', 'order', 'drink', 'make', 'way', 'table_wipe', 'salt']

Avant :     This place has really gone down in cleanliness and quality of food. First off they changed the restr
Après :     ['place', 'cleanliness', 'quality', 'food', 'change', 'restrooms', 'unisex', 'table', 'place', 'need']

Avant :     Had been curious about Freddy's after seeing them pop up around town. Well, not so any more. Not my 
Après :     ['freddy', 'seeing', 'pop', 'town', 'burger', 'taste', 'meat', 'onion_ring', 'crispy', 'good']

Avant :     As a frequent  customer I expected better. The employees didn't smile or engage customers not even w
Après :     ['customer', 'expect', 'employee', 'smile', 'engage', 'customer', 'order', 'food', 'serve', 'order']

Avant :     Not impressed. The drive thru experience was difficult. I had to repeat the order numerous times. I 
Après :     ['drive', 'experience', 'repeat', 'order', 'time', 'feel', 'burger', 'order', 'fry', 'dollar']

Avant :     Literally took 22 minutes in drive through. I ordered one burger and fries. I was sitting at the win
Après :     ['take', 'minute', 'drive', 'order', 'burger', 'fry', 'sit', 'window', 'minute', 'kid']

Avant :     Today was an unplanned trip. Stopped in and got a few items to go. Again it was messy. Observed an e
Après :     ['today', 'trip', 'stop', 'item', 'employee', 'cleaning', 'table', 'appear', 'work', 'speed']

Avant :     They don't understand enough english to ask questions about placing an order for delivery vs pickup 
Après :     ['understand', 'ask_question', 'place', 'order', 'delivery', 'pickup', 'food']

Avant :     This review is directed at Bully's as a whole rather than a specific restaurant.  My wife and I alon
Après :     ['review', 'direct', 'bully', 'whole', 'restaurant', 'wife', 'friend', 'bully', 'boy', 'surprise']

Avant :     This location is the weakest of the Bully's franchises.  I swear the food isn't as good as the other
Après :     ['location', 'bully', 'franchise', 'swear', 'food', 'wait', 'staff', 'spend', 'time', 'group']

Avant :     Hmmm, wonder why they (management) will not address this post and they do the other negative posts .
Après :     ['hmmm', 'wonder', 'management', 'address', 'post', 'post']

Avant :     Been here twice, 1st time, amazing, great food, Fantasic. 2nd time, no food available as the cook ca
Après :     ['time', 'food', 'fantasic', 'time', 'food', 'cook', 'call', 'today', 'give_star']

Avant :     Food has gone downhill. And if you come to watch Sunday/Monday football just make sure you like to f
Après :     ['food', 'come', 'football', 'make', 'feel', 'burden', 'bother', 'bartender', 'wish', 'place']

Avant :     I was at this restaurant yesterday...and I have to say that my entire family was disgusted of their 
Après :     ['restaurant', 'yesterday', 'say', 'family', 'disgust', 'food', 'people', 'take_bite', 'food', 'shock']

Avant :     The menu looks 50 years old. The inspirations for the dishes are the same vintage. The pizza tasted 
Après :     ['menu', 'look', 'year', 'inspiration', 'dish', 'pizza', 'taste_cardboard', 'pizza', 'sauce', 'spread']

Avant :     While visiting carpenteria, we decided to eat at Tony's. The food was pretty good but the  service. 
Après :     ['visit', 'carpenteria', 'decide', 'eat', 'food', 'service', 'find', 'pasta', 'group', 'meat']

Avant :     The worst service I have ever had in my life! The managers were very helpful in remedying the situat
Après :     ['service', 'life', 'manager', 'remedy', 'situation', 'service', 'waitstaff', 'see', 'food']

Avant :     The food is okay, especially if you stick with marinara based dishes, but it is significantly overpr
Après :     ['food', 'stick', 'base', 'dish', 'overprice', 'add', 'trip', 'salad', 'bar', 'dollar']

Avant :     The building is a repurposed commodities exchange from the late 1800's, so if you're going for the h
Après :     ['build', 'repurpose', 'commodity', 'exchange', 'history', 'gift', 'shop', 'gift', 'shop', 'food']

Avant :     Avoid the Asian Deli at all costs... Food looks great, but has sat out for hours at improper tempera
Après :     ['avoid_cost', 'food', 'look', 'sit', 'hour', 'temperature', 'people', 'theive', 'price', 'law']

Avant :     Chinese food was HORRIBLE!  Typical tourist spot with tons of children on field trips.
Après :     ['food', 'tourist', 'spot', 'ton', 'child', 'field', 'trip']

Avant :     The Bourse is a beautiful building inside and outside...

But, it's just a glorified food court..  N
Après :     ['bourse', 'building', 'glorify', 'food', 'court', 'mall', 'chain', 'restaurant', 'none', 'miss']

Avant :     Highway robbery... $22 for 3 small ass ice cream cones.
Après :     ['highway', 'robbery', 'ice_cream', 'cone']

Avant :     Tourist filled shops in a beautiful old building. Food stands around the Bourse are much cheaper and
Après :     ['tourist', 'fill', 'shop', 'building', 'food', 'stand', 'bourse', 'avoid', 'eat']

Avant :     First time at Wolfgang. Crowded, dirty floors, poor service, it has it all. Only redeeming factor wa
Après :     ['time', 'crowd', 'floor', 'service', 'redeem', 'factor', 'chardonnay']

Avant :     Worst chicken tenders ever!! they take 15-20mins to make them and once they are finally at your tabl
Après :     ['chicken_tender', 'take_min', 'make', 'table', 'rock', 'terrible']

Avant :     Very poor service, very greasy pizza. The pizza I ordered didn't even have the same toppings as desc
Après :     ['service', 'greasy', 'pizza', 'pizza', 'order', 'topping', 'describe', 'menu', 'table_wipe', 'food']

Avant :     I would've given it no stars at all if this were an option. My wife ordered cheesecake and coffee. T
Après :     ['give_star', 'option', 'wife', 'order', 'cheesecake', 'coffee', 'cheesecake', 'coffee', 'taste', 'dirt']

Avant :     I decided to eat at Puck's Express because I had a flight to catch and the word "Express" implies qu
Après :     ['decide', 'eat', 'catch', 'word', 'express', 'imply', 'service', 'wish', 'chance', 'review']

Avant :     Very slow, one waitress and not friendly at all. Asked for three different kinds of beers and out of
Après :     ['slow', 'waitress', 'ask', 'kind', 'beer', 'choice', 'hurry', 'let', 'name', 'express']

Avant :     I'm not sure what constitutes two stars?! Maybe because you can seat yourself and you don't have to 
Après :     ['constitute', 'star', 'seat', 'wait', 'standing', 'wgp', 'strip', 'place', 'name', 'brand']

Avant :     Horrible service. While busy (it IS an airport you're servicing after all), I sat for 15 minutes at 
Après :     ['service', 'airport', 'servicing', 'sit', 'minute', 'bar', 'attract', 'attention', 'server', 'proceed']

Avant :     Crazy wait terrible service. Waitress can't seem to bring silverware, water, pepper, a napkin despit
Après :     ['wait', 'service', 'waitress', 'seem', 'bring', 'silverware', 'water', 'pepper', 'napkin', 'repeat']

Avant :     This is a place trying to be a great froyo spot but it just flat misses. The texture of the yogurt i
Après :     ['place', 'try', 'froyo', 'spot', 'miss', 'texture', 'bite', 'topping', 'dispenser', 'drop']

Avant :     My wife and I had to leave Zydeco after being seated at our table.  We waited for several minutes fo
Après :     ['leave', 'seat', 'table', 'wait_minute', 'wait', 'staff', 'acknowledge', 'sit', 'table', 'walk']

Avant :     Could not get service. I was pass over service twice for customers that ordered was taken immediatel
Après :     ['service', 'pass', 'service', 'customer', 'order', 'take', 'seat', 'tell', 'wait']

Avant :     We drove here because a few people suggested it. The food we ordered was like warm and not very tast
Après :     ['drive', 'people', 'suggest', 'food', 'order', 'gumbo', 'place', 'people', 'restaurant', 'waitress']

Avant :     I apparently left a review on my last visit. That was almost 6 months ago, and even though I remembe
Après :     ['leave', 'review', 'visit', 'month', 'remember', 'service', 'swearing', 'return', 'decide', 'give_chance']

Avant :     Seems to be a family operation where the people have far more ambition than ability.  We stopped in 
Après :     ['seem', 'family', 'operation', 'people', 'ambition', 'ability', 'stop', 'base', 'line', 'review']

Avant :     It was just ok. For the price I expected more but not a win or a total lost. The buffet could use a 
Après :     ['price', 'expect', 'win', 'total', 'lose', 'buffet', 'use', 'bit', 'day', 'cook']

Avant :     Not the best salad place I have visited. Not very friendly, food is nothing special. Very limited le
Après :     ['place', 'visit', 'food', 'lettuce', 'dressing', 'kind', 'iceberg_lettuce', 'chop', 'love', 'chop']

Avant :     If you're ordering from this place, you should probably be there in person when they make it. I orde
Après :     ['order', 'place', 'person', 'make', 'order', 'bowl', 'tell', 'make', 'give', 'find']

Avant :     I remember when this was a great restaurant, decades ago.  So,as we're walking by heading for Indian
Après :     ['remember', 'restaurant', 'decade', 'walk', 'head', 'food', 'companion', 'tell', 'change', 'management']

Avant :     Trying very hard to be a high-priced fine dining establishment, but all you get are small portions o
Après :     ['try', 'price', 'dining', 'establishment', 'portion', 'food', 'price', 'say', 'say', 'charge']

Avant :     I've eaten at Zocalo twice, and never been too impressed. The prices are extremely high for food tha
Après :     ['impress', 'price', 'food', 'hit', 'lunch', 'trip', 'shrimp', 'bean', 'watery', 'spoil']

Avant :     Their is nothing authentic about the food at Zocalo. The burrito was lackluster and fell a part. I'v
Après :     ['food', 'fall', 'part', 'food', 'chipotle']

Avant :     Street Parking only. Get ready to wait for 25 mins for your order. Portions are small for the price 
Après :     ['street', 'parking', 'wait_min', 'order', 'portion', 'price', 'pay', 'green', 'beef', 'rib']

Avant :     I thought the wings were small, like wings you get from the Italian Market. Reflecting on it, they p
Après :     ['think', 'wing', 'wing', 'market', 'reflect', 'size', 'chicken', 'wing', 'use', 'chicken']

Avant :     The worst meal I've had, ever. The green beans were total mush, definitely canned. The chicken was e
Après :     ['meal', 'bean', 'mush', 'chicken', 'bbq_sauce', 'awful', 'believe', 'money', 'waste', 'excuse']

Avant :     this happened 7 months ago but i meant to add, i went back the day after this & got pretty much the 
Après :     ['happen', 'month', 'mean', 'add', 'day', 'thing', 'suck', 'eat', 'leftover']

Avant :     The food is very good but the ability to turnover the tables is a huge problem on busy days. Waited 
Après :     ['food', 'ability', 'turnover', 'table', 'problem', 'day', 'wait', 'hour', 'today', 'hour']

Avant :     Average food with a really good location. I went for breakfast once and lunch another time. Breakfas
Après :     ['food', 'location', 'breakfast', 'lunch', 'time', 'breakfast', 'lunch', 'choice', 'place', 'pick']

Avant :     This place is just horrible,,,,, I have tried this place twice and i will never go back.
the poatato
Après :     ['place', 'try', 'place', 'poatatoe', 'worst', 'borderline', 'wait', 'suprise', 'food', 'time']

Avant :     I recently visited this diner due to a segment on the local  news in the winter. While the service w
Après :     ['visit', 'segment', 'news', 'winter', 'service', 'food', 'appetizing', 'bacon', 'turkey', 'sausage']

Avant :     Unfortunetly I had to go back for a third visit ,, I could not get out of it,, anyway , I did go wit
Après :     ['visit', 'open', 'mind', 'hope', 'thing', 'change', 'reason', 'give_star', 'give', 'none']

Avant :     This is the second time we tried turning point at this location. The first time we had a long wait f
Après :     ['time', 'try', 'turn', 'point', 'location', 'time', 'wait', 'food', 'order', 'time']

Avant :     When I was shown to my seat of was still wet so I had to use the napkin to finish the job. Place was
Après :     ['show', 'seat', 'wet', 'use', 'napkin', 'finish', 'job', 'place', 'service', 'order']

Avant :     The food better be good because the iced coffee is horrible, and the service is deplorable.
Party of
Après :     ['food', 'coffee', 'service', 'party', 'sit', 'wait_minute', 'beverage', 'order', 'wait_minute', 'food']

Avant :     Hopefully they will find their way but this promising new breakfast/lunch joint is a disaster. After
Après :     ['find', 'way', 'promise', 'breakfast', 'lunch', 'disaster', 'waiting_hour', 'table', 'waitress', 'forgot']

Avant :     Not Impressed at all. Ordered a omelette and bacon.
The bacon was forgotten and never arrived.
Also 
Après :     ['order', 'omelette', 'bacon', 'bacon', 'forget', 'arrive', 'receive', 'muffin', 'butter', 'slice']

Avant :     never coming back here again. all of the glasses had a crusty cloudy look to it. silver ware and cof
Après :     ['come', 'glass', 'look', 'coffee', 'cup', 'waiter', 'spill', 'coffee', 'table', 'bother']

Avant :     I don't recommend this place for breakfast. The only reason I would go is if I didn't have other opt
Après :     ['recommend', 'place', 'breakfast', 'reason', 'option', 'visit', 'place', 'food', 'toast', 'bland']

Avant :     Well, lots to say. Managers were busy makin coffee drinks and totally ignoring the business. Tables 
Après :     ['lot', 'say', 'manager', 'makin', 'coffee', 'drink', 'ignore', 'business', 'table', 'set']

Avant :     Honestly I don't get the hype. Wait was incredibly long(20 plus minutes for a bagel sandwich) and th
Après :     ['hype', 'wait_minute', 'say', 'food', 'wait', 'quality', 'apply', 'fry', 'bacon', 'texture']

Avant :     Long wait times, poor service considering it's attached to a busy hotel. Garlic shrimp was so so. Ca
Après :     ['wait', 'time', 'service', 'consider', 'attach', 'hotel', 'garlic', 'shrimp', 'come', 'taste']

Avant :     Went here 08/25/2017.  Over all rating is just OK.  Fries are on the sandwiches but they were cold a
Après :     ['rate', 'fry', 'sandwich', 'beer_selection', 'type', 'server', 'know', 'food', 'underwhelme', 'experience']

Avant :     !'ve been twice now.  I don't get it.  Lunchmeat sandwiches on kind of stale, too-thick Italian brea
Après :     ['lunchmeat', 'sandwich', 'bread', 'coleslaw', 'fry', 'bread', 'fall', 'sandwich', 'flavor', 'serve']

Avant :     I love primanti brothers sandwiches but this particular location is dysfunctional. 

Check out my pi
Après :     ['brother', 'sandwich', 'location', 'check', 'picture', 'take', 'menu', 'mold', 'mention', 'waitress']

Avant :     I'm just not a primanti guy, I dont want mushy fries on my sandwich, takes away the flavor of the go
Après :     ['guy', 'want', 'fry', 'sandwich', 'take', 'flavor', 'meat', 'sandwich', 'hit', 'downtown']

Avant :     Took the waiter more than 10 min to bring me my soft drink.when i did get it there was a large lipst
Après :     ['take', 'waiter', 'min', 'bring', 'drink', 'lipstick', 'stain', 'beverage', 'pop', 'take_min']

Avant :     Stopped in for lunch and while the food was alright the service was terrible.  It really was not ver
Après :     ['stop_lunch', 'food', 'alright', 'service', 'step', 'lunch', 'take']

Avant :     High hopes based on some of the previous reviews, but we were disappointed. Bad first impression, we
Après :     ['hope', 'base_review', 'disappoint', 'impression', 'seat', 'give', 'menu', 'server', 'minute', 'waive']

Avant :     Both times we have gone in to this subway we were not greeted or even acknowledged when we came in t
Après :     ['time', 'subway', 'greet', 'acknowledge', 'come', 'door', 'employee', 'look', 'hate', 'live']

Avant :     Tried this place a few times since I work nearby. Vegetables never taste that fresh and it's overpri
Après :     ['try', 'place', 'time', 'work', 'vegetable', 'taste', 'overprice', 'today', 'find', 'strand']

Avant :     Not letting us split the check and also only one bowl rice each table and if we want extra need to p
Après :     ['let', 'split_check', 'bowl', 'rice', 'table', 'want', 'need', 'play', 'service']

Avant :     Worst Chinese/Asian food ever. Ordered appetizers and entrees together and entrees were on the table
Après :     ['order', 'appetizer', 'entree', 'entree', 'table', 'minute', 'order', 'sign', 'appetizer', 'live']

Avant :     I've been exploring han's dynasty and here are my preliminary rankings (1 is best)

1. Exton
2. Old 
Après :     ['explore', 'preliminary', 'ranking', 'exton', 'city', 'manayunk', 'city', 'come', 'bottom', 'list']

Avant :     Quite by accident I ordered take-out here.  The Spring Rolls should have been named Oil Rolls, they 
Après :     ['accident', 'order', 'take', 'spring_roll', 'name', 'oil', 'roll', 'greasy', 'bean', 'chicken']

Avant :     Inconsistent... that's one word that describes this place! 

Some dishes are fab, some are a drab...
Après :     ['inconsistent', 'word', 'describe', 'place', 'dish', 'day', 'service', 'day', 'pour', 'salt']

Avant :     I was hoping for better given the reviews. The delivery was quick, but came with no utensils. I was 
Après :     ['hope', 'give', 'review', 'delivery', 'come', 'utensil', 'stay_hotel', 'know', 'chili', 'dumpling']

Avant :     Worst wonton soup ever. Half of it is oil- I ate the soup hours ago and my stomach is still in knots
Après :     ['half', 'oil', 'eat', 'soup', 'hour', 'stomach', 'knot', 'restaurant', 'block', 'star']

Avant :     Food is decent. Waiters were awesome. -2 stars because of the manager (Adam?) who was a total prick.
Après :     ['food', 'waiter', 'star', 'manager', 'finish', 'dinner', 'credit_card', 'bill', 'return', 'signature']

Avant :     The Center City location is great. the Manayunk is sketchy.  Needs a good cleaning.
Après :     ['location', 'need_cleaning']

Avant :     Update! I forgot to mention that they refused to split the bill between credit cards. They wanted on
Après :     ['update', 'forgot', 'mention', 'refuse', 'split', 'credit_card', 'want', 'credit_card']

Avant :     Everything about this place is "Sticky". Tables, chairs, bathrooms.   The food wasn't good. Bad choi
Après :     ['place', 'table_chair', 'bathroom', 'food', 'choice', 'lunch']

Avant :     Granted we know it's on E Washington, I thought it was going to be something akin to flapjacks, howe
Après :     ['grant', 'think', 'flapjack', 'flapjack', 'wife', 'order', 'skillet', 'side', 'biscuit_gravy', 'come']

Avant :     OK, besides being INCREDIBLY overpriced, the food is muhh. Not much over a so - so quality. The wait
Après :     ['overprice', 'food', 'muhh', 'quality', 'waitress', 'service', 'expectation', 'guess', 'name', 'give']

Avant :     Food was so so customer service was yet to be desired. I don't want to sit next to someone who it no
Après :     ['food', 'customer_service', 'desire', 'want', 'sit', 'try', 'fix', 'waitress', 'friend', 'customer']

Avant :     This place was not good at all. My family and I dined here for breakfast because we pass the restaur
Après :     ['place', 'family', 'dine', 'breakfast', 'pass', 'restaurant', 'pancake', 'taste', 'style', 'mix']

Avant :     I was in mainland this past week with my family and let me just say it was awful. My food was cold a
Après :     ['week', 'family', 'let', 'say', 'food', 'taste', 'reuse', 'day', 'mention', 'bc']

Avant :     For a course that only puts sand in the traps where you can see them by the road, I'm not surprised 
Après :     ['course', 'put', 'sand', 'trap', 'see', 'road', 'surprise', 'try', 'restaurant', 'bar']

Avant :     Wow this was proof that Texans can't BBQ it was at best a warm attempt at southern BBQ meat only had
Après :     ['proof', 'texan', 'bbq', 'attempt', 'pull_pork', 'slaw', 'dress', 'bean', 'spit', 'garlic']

Avant :     Not impressed at all. All the sides tasted like they have been sitting there for days. The brisket w
Après :     ['side', 'taste', 'sit', 'day', 'brisket', 'rib', 'side', 'waste_money', 'crap']

Avant :     The food is not good. I was quite dissapointed. 
Giving 2 stars as the customer service was really g
Après :     ['food', 'dissapointe', 'give_star', 'customer_service']

Avant :     Let start off and say we were seated at 5:50 pm and by 7:00 pm we still haven't had our orders broug
Après :     ['let_start', 'say', 'order', 'bring', 'order', 'wife', 'want', 'panini', 'order', 'chicken']

Avant :     The service here was slow and a giant disappointment! I will never go here again and they even over 
Après :     ['service', 'disappointment', 'charge', 'disappoint', 'waitress', 'take', 'order', 'side', 'place', 'deserve_star']

Avant :     I would rate the food as ok. 

The salad bar was respectable but not great. For instance the broccol
Après :     ['rate', 'food', 'bar', 'instance', 'broccoli', 'salad', 'seafood', 'pasta', 'minestrone', 'onion_soup']

Avant :     I truly believe they mean well, but it really doesn't stand up to other choices in the area.  The de
Après :     ['believe', 'mean', 'stand', 'choice', 'area', 'cleanliness', 'establishment', 'enhance', 'dining_experience', 'cleaning']

Avant :     Giving 1 star because no option to give negative stars. Used to be an ok enough diner but thoroughly
Après :     ['give_star', 'option', 'give_star', 'use', 'diner', 'sandal', 'stick', 'carpet', 'salt', 'seat']

Avant :     We called in an order for 2 medium pizzas, breadsticks & boneless wings. Our order was to be ready a
Après :     ['call', 'order', 'pizza', 'breadstick', 'boneless_wing', 'order', 'pick', 'girl', 'tell', 'minute']

Avant :     This is some of the rudest, most unprofessional  service I have ever seen. The waitress was in a fou
Après :     ['service', 'see', 'waitress', 'mood', 'enter', 'restaurant', 'seem', 'order', 'pizza', 'return']

Avant :     This was by far the worst dinner I have ever had. There were 4 of us: 1 only ate the meatballs, as t
Après :     ['dinner', 'eat', 'meatball', 'pasta', 'pizza', 'sauce', 'cold', 'eat', 'bite', 'clam']

Avant :     The place is ok. Food is average what you would expect from a strip mall restaurant.  Out server was
Après :     ['place', 'food', 'average', 'expect', 'server', 'place', 'return', 'visit', 'sauce', 'bland']

Avant :     Why so much hype for this place?! Pineapple caramel donut was dry, flavorless, too big / dense and n
Après :     ['hype', 'place', 'pineapple', 'flavorless', 'need', 'caramel', 'topping', 'see', 'pic', 'fill']

Avant :     I really wanted to like this place. Like really wanted to. But after a few trips, I've sadly come to
Après :     ['want', 'place', 'want', 'trip', 'come', 'realize', 'love', 'donut', 'flavor', 'doughy']

Avant :     Line was waaaaaay too long.  Donut was HUGE.  Got the New Orleans Cream Donut - was not told that th
Après :     ['line', 'cream', 'tell', 'rum', 'flavoring', 'know', 'chocolate', 'milk', 'make', 'chocolate']

Avant :     The place is nice and the flavors of the donuts are okay, but the donut itself is bad. It's like eat
Après :     ['place', 'flavor', 'donut', 'donut', 'eat', 'paper', 'po_boy', 'bread', 'icing', 'donut']

Avant :     I love this place and every time I have friends or family come to visit, I always bring them here. M
Après :     ['love', 'place', 'time', 'friend', 'family', 'come', 'visit', 'bring', 'stop', 'disappoint']

Avant :     The donuts are NOT good. Horrible. Tastes like bread with glaze. We gave them multiple chances, but 
Après :     ['donut', 'taste', 'bread', 'glaze', 'give_chance', 'place', 'people', 'tell']

Avant :     Completely over rated. Small selection of donuts with toppings and they didn't taste that great.
Après :     ['rate', 'selection', 'donut', 'topping', 'taste']

Avant :     The donuts were underwhelming. I had seen these on all the Must Visit Restaurant sites for New Orlea
Après :     ['donut', 'underwhelming', 'see', 'visit', 'restaurant', 'site', 'excite', 'visit', 'cashier', 'donut']

Avant :     Very disappointed in this place, it is usually great.  Today is my birthday and I really wanted brea
Après :     ['place', 'today', 'birthday', 'want', 'breakfast', 'district', 'wait_line', 'minute', 'counter', 'breakfast']

Avant :     District Donuts, a slider donut fusion restaurant, is an interesting concept but their donuts are ju
Après :     ['district', 'donut', 'slider', 'donut', 'fusion', 'restaurant', 'concept', 'donut', 'par', 'order']

Avant :     Very disappointed. First time coming to District Donuts after hearing all the hype and after orderin
Après :     ['time', 'come', 'district', 'donut', 'hear', 'hype', 'order', 'ask', 'ice', 'remove']

Avant :     I like the atmosphere...tried three different donuts but I was not thrilled with any of the flavors.
Après :     ['atmosphere', 'try', 'donut', 'thrill', 'flavor', 'wish', 'order', 'slider', 'fry']

Avant :     District donuts should really consider putting their exceptional schedules on their website. Somehow
Après :     ['district', 'donut', 'consider', 'put', 'schedule', 'website', 'restrict', 'year', 'row', 'town']

Avant :     had high hopes for this place..tried it 4 times..probably not returning because of these reasons..
d
Après :     ['hope', 'place', 'try', 'time', 'return', 'reason', 'donut', 'look', 'reviewer', 'mention']

Avant :     Service was very,very slow considering it is an order at the counter place. I got the salted caramel
Après :     ['service', 'consider', 'order', 'counter', 'place', 'salt', 'caramel', 'donut', 'orderd', 'roll']

Avant :     I was really disappointed by my visit here. The donuts were very thick and rubbery like they had bee
Après :     ['disappoint', 'visit', 'donut', 'rubbery', 'sit', 'hour', 'try', 'flavor', 'none']

Avant :     Super disappointed with their donuts. They are like bread not donuts, so imagine a slightly flavored
Après :     ['donut', 'bread', 'donut', 'imagine', 'flavor', 'bread', 'stuff', 'crap', 'cheat', 'day']

Avant :     Terrible service at this Domino's... They don't seem to have the ability to fulfill orders promptly 
Après :     ['service', 'domino', 'seem', 'ability', 'fulfill', 'order']

Avant :     Horrible. Waited over 2 hours for our order. Called the store 3 times- kept being told it was on its
Après :     ['wait', 'hour', 'order', 'call', 'store', 'time', 'keep', 'tell', 'way', 'pizza']

Avant :     Really "Pleasant" delivery people (not all but definitely the last two). Plus the last delivery was 
Après :     ['delivery', 'people', 'last', 'delivery', 'deliver', 'minute', 'claim']

Avant :     I just didn't check the reviews before ordered and that was my mistake. Ordered two pasta dishes and
Après :     ['check', 'review', 'order', 'order', 'pasta_dish', 'drink', 'tell', 'price', 'ask', 'guy']

Avant :     I just received  terrible uber eats order from here. They sent me the wrong pizza, uncooked wings, a
Après :     ['receive', 'uber_eat', 'order', 'send', 'pizza', 'wing', 'order', 'want', 'money']

Avant :     Poor quality of food even if the prices are low and small portions. I would not go back sorry
Après :     ['quality', 'food', 'price', 'portion', 'back']

Avant :     Blonde waitress was so rude, barely acknowledged us. eggs were not made to my order, food was barely
Après :     ['waitress', 'rude', 'acknowledge', 'egg', 'make', 'order', 'food', 'day', 'reason', 'mistreat']

Avant :     Never got to try the food.  Arrived 10 minutes prior to closing.  Would have done take out given the
Après :     ['try', 'food', 'arrive', 'minute', 'closing', 'take', 'give_chance', 'tell', 'time', 'happen']

Avant :     Went there since someone recommended the bakery.

We definitely received white people treatment at a
Après :     ['recommend', 'bakery', 'receive', 'people', 'treatment', 'happen', 'sit', 'woman', 'take', 'chop']

Avant :     I'm sorry but I really hated this place. I wanted to like it with the massive amount of great review
Après :     ['hate', 'place', 'want', 'amount', 'review', 'know', 'americanize', 'sesame', 'sauce', 'taste']

Avant :     In all fairness to Wei Hong my wife and I have ordered take out here numerous times during the past 
Après :     ['order', 'take', 'time', 'year', 'issue', 'portion', 'food', 'say', 'order', 'hour']

Avant :     Food is not fresh. Dumplings sitting out all day and they just microwave it and bring it out to you.
Après :     ['food', 'dumpling', 'sit', 'day', 'microwave', 'bring', 'restaurant']

Avant :     HORRIBLE experience. All the dim sum was dried and cold. the waitstaff was like their dim sum. My si
Après :     ['experience', 'dim', 'sum', 'dry', 'sister', 'want', 'food', 'find', 'place', 'yelp']

Avant :     I will gladly pay $5 for two smallish scoops of gelato. However, what I had here was not gelato. Too
Après :     ['pay', 'scoop', 'gelato', 'gelato', 'airy', 'gelato', 'redeem', 'flavor', 'pistachio', 'sesame']

Avant :     Their lattes are quite good but sometimes not consistent depending on who makes it and if they use w
Après :     ['latte', 'depend', 'make', 'use', 'milk', 'time', 'bummer', 'pastry', 'service', 'panini']

Avant :     I will pay through the nose for capogiro gelato. But 1.50 for a tiny container of cream cheese? On t
Après :     ['pay', 'nose', 'capogiro', 'gelato', 'container', 'cream_cheese', 'cost', 'bagel', 'gelato', 'cream_cheese']

Avant :     The gelato have Unique & rich flavors which you could explore by imaginations. Though you would find
Après :     ['gelato', 'flavor', 'explore', 'imagination', 'find', 'flavor', 'taste', 'sweeten', 'employee', 'interaction']

Avant :     This place is pretty much the worst. They run out of sandwich ingredients like they're going out of 
Après :     ['place', 'run', 'sandwich', 'ingredient', 'business', 'staff', 'figure', 'use', 'wax', 'paper']

Avant :     This place has not gotten any better. It should not be 6.75 for a "large" iced coffee and a tiny bag
Après :     ['place', 'coffee', 'bagel', 'place', 'update', 'seat', 'rip', 'tear', 'coffee', 'toss']

Avant :     The employees at this particular McDonald's seem to have trouble filling orders correctly and the pl
Après :     ['employee', 'mcdonald', 'seem', 'trouble', 'fill', 'order', 'place', 'fill', 'fly', 'count']

Avant :     Went here for the great food I had experienced before. 
After HORRIBLE service, flagging down the wa
Après :     ['food', 'experience', 'service', 'flagging', 'waitress', 'tell', 'drink', 'alcohol', 'water', 'friend']

Avant :     I cannot understand why this place has a decent rating.  I was very unimpressed with the selection o
Après :     ['understand', 'place', 'rating', 'selection', 'roll', 'quality', 'tuna', 'mash', 'feast', 'taste']

Avant :     I had a horrible experience here. My friend and I sat down and waited for 20 minutes without anyone 
Après :     ['experience', 'friend', 'sit', 'wait_minute', 'take', 'order', 'bring', 'water', 'service', 'figure']

Avant :     Even though I usually like this place , they rushed us out, salmon Nigiri had scales on it and taste
Après :     ['place', 'rush', 'salmon', 'scale', 'taste']

Avant :     Not impressed. Tried three rolls. I don't like cooked ones but I tried one anyways, won't count that
Après :     ['try', 'roll', 'one', 'try', 'count', 'jalapeno', 'roll', 'pickle', 'roll']

Avant :     Had high hopes from reading the other reviews, but the service was lackluster and the rolls were not
Après :     ['hope', 'read_review', 'service', 'roll', 'make', 'fall', 'use', 'chopstick', 'finger', 'place']

Avant :     Ordered 2 pizzas for pick up.  I repeated the order 3 times; one cheese pizza and one pizza half pep
Après :     ['order', 'pizza', 'pick', 'repeat', 'order', 'time', 'cheese', 'pizza', 'pizza', 'half']

Avant :     I saw the 4+ stars and hoped for a serving of good Pad Thai. I was disappointed. The noodles were a 
Après :     ['see', 'star', 'hope', 'serve', 'pad_thai', 'noodle', 'lump', 'color', 'lack_flavor', 'quest']

Avant :     I ate the spicy soup and the seafood was undercooked and watery. The broth was flavorless and disgus
Après :     ['eat', 'soup', 'seafood', 'undercooke', 'broth', 'flavorless', 'ask', 'soup', 'refuse', 'give']

Avant :     I am not sure why this restaurant has such high reviews.  The quality of food is okay and the prices
Après :     ['restaurant', 'review', 'quality', 'food', 'price', 'lunch', 'menu', 'restaurant', 'serve', 'soup']

Avant :     Big portions... And that's all that is good. Screwed up our order, everything had eel sauce and tast
Après :     ['portion', 'screw', 'order', 'eel', 'sauce', 'taste', 'service', 'return']

Avant :     This place could be really great.  They have over 100 brews on tap.  We were visiting the area and w
Après :     ['place', 'brew', 'tap', 'visit', 'area', 'want', 'try', 'beer', 'ask', 'alcohol']

Avant :     Menu looked promising, my friend said her burger was great.  I made the mistake of ordering a chicke
Après :     ['menu', 'look', 'friend', 'say', 'make', 'order', 'chicken', 'sandwich', 'place', 'come']

Avant :     this place took forever to get our food. we had a decent size party and they weren't even that busy 
Après :     ['place', 'take', 'food', 'size', 'party', 'take', 'hour', 'table', 'cram', 'ask']

Avant :     Okay, it was July 4th...but: no hostess at the station. Show up with four people and told a 20 minut
Après :     ['show', 'people', 'tell', 'minute', 'wait', 'table', 'table', 'sight', 'road', 'muldoon']

Avant :     Sad that a restaurant called the Pint Room doesn't support it's product. Went to dinner with a frien
Après :     ['restaurant', 'call', 'pint', 'room', 'support', 'product', 'dinner', 'friend', 'birthday', 'order']

Avant :     I truly expected more from a burger place owned by St. Elmo's and Harry and Izzy.  The restaurant fe
Après :     ['expect', 'place', 'restaurant', 'feel', 'sport_bar', 'tv', 'pop', 'music', 'blare', 'loud']

Avant :     I went in with high hopes. A place that specializes in burgers and offers a $30 burger on the menu s
Après :     ['hope', 'place', 'specialize', 'burger', 'offer', 'burger', 'blow', 'leave', 'let', 'burger']

Avant :     Well. It used to be great. But The service has changed.  The last two times we ate there, service wa
Après :     ['use', 'service', 'change', 'time', 'eat', 'service', 'fish', 'onion_ring', 'stay', 'month']

Avant :     Sat at the counter for nearly 15 minutes without anyone acknowledging my existence. Service obviousl
Après :     ['sit', 'minute', 'acknowledge', 'existence', 'service', 'leave', 'offer', 'menu']

Avant :     First of all if you carry have it on you.
No parking and no handicap parking.
Got there and was crow
Après :     ['carry', 'parking', 'parking', 'crowd', 'waiting', 'list', 'try', 'ask', 'waitress', 'ignore']

Avant :     Not the best , corn bread was definitely unappetizing... same with the rest of the food . Won't be c
Après :     ['corn_bread', 'unappetize', 'rest', 'food', 'come']

Avant :     I don't even know why I'm giving this one star . I didn't even actually get to eat anything. Upon ar
Après :     ['know', 'give_star', 'eat', 'arrival', 'seat', 'wait', 'come', 'offer', 'drink', 'minute']

Avant :     Most unorganized restaurant I have ever been in! Drinks took 20 min to arrive, no straws, napkins or
Après :     ['restaurant', 'drink', 'take_min', 'arrive', 'straw', 'napkin_silverware', 'food', 'take_min', 'lukewarm']

Avant :     Used to love the milkshakes at these restaurants until this one gave me a disgusting one. Kept sucki
Après :     ['use_love', 'milkshake', 'restaurant', 'give', 'one', 'keep', 'suck', 'chewy', 'thing', 'look']

Avant :     Wow... What a disaster!   We ordered two double cheese burgers.  One with no onions. And the other w
Après :     ['disaster', 'order', 'cheese', 'burger', 'onion', 'tomato', 'mayo', 'come', 'mayo', 'onion']

Avant :     A girlfriend of mine had a Groupon type thing and invited me to try this place. Our waitress was ver
Après :     ['girlfriend', 'mine', 'groupon', 'type', 'thing', 'invite', 'try', 'place', 'waitress', 'muster']

Avant :     Came here for drive through one morning. Took about 25 minutes between waiting in line and waiting f
Après :     ['come', 'drive', 'morning', 'take', 'minute', 'wait_line', 'wait', 'food', 'breakfast', 'run']

Avant :     Nice atmosphere. Waiter came after 10 minutes. We ordered an appetizer while we were deciding what w
Après :     ['atmosphere', 'waiter', 'come', 'minute', 'order', 'appetizer', 'decide', 'want', 'drink', 'bar']

Avant :     Well there is a reason this place is dead on a Thursday night. Worst watered down Mojito ever with n
Après :     ['reason', 'place', 'night', 'water', 'hint', 'alcohol', 'consider', 'change', 'name', 'make']

Avant :     I loved how they had the courtyard misted on a hot day but the menu was generic and over priced and 
Après :     ['love', 'courtyard', 'mist', 'day', 'menu', 'price', 'drink', 'food', 'price', 'menu']

Avant :     One extra star for atmosphere. Come here for the atmosphere and to drink only. Don't even get an app
Après :     ['star', 'atmosphere', 'come', 'atmosphere', 'drink', 'appetizer', 'bland', 'side', 'taste', 'atmosphere']

Avant :     I was always very fond of this restaurant and would regularly go here with my friends. However, last
Après :     ['restaurant', 'friend', 'week', 'come', 'restaurant', 'charge', 'charge', 'order', 'say', 'return']

Avant :     I've gone to this restaurant a number of times over the past few years and it's been going downhill 
Après :     ['restaurant', 'number', 'time', 'year', 'roll', 'restaurant', 'area', 'choice', 'place', 'service']

Avant :     This location is terrible and it's been that way for a while. I'm always rushed going through the dr
Après :     ['location', 'way', 'rush', 'drive', 'check', 'bag', 'location', 'forget', 'order', 'time']

Avant :     Since my girlfriend and I weren't part of the bartender's "mean girls" club at the end of the bar, s
Après :     ['girlfriend', 'part', 'bartender', 'mean', 'girl', 'club', 'end', 'bar', 'service', 'good']

Avant :     Went on a Sunday. Very limited menu, much different than what is listed online. If you only serve br
Après :     ['menu', 'list', 'serve', 'brunch', 'let', 'people', 'know', 'kid', 'option', 'food']

Avant :     I don't understand all the reviews for this place. I've been twice, just to make sure the first time
Après :     ['understand', 'review', 'place', 'make', 'time', 'day', 'want', 'support', 'place', 'try']

Avant :     Terrible vibe. There was no hostess for about 5 minutes. Our waiter was definitely on some anxiety-i
Après :     ['vibe', 'anxiety', 'induce', 'drug', 'drink', 'menu', 'know', 'nectar', 'margarita', 'offer']

Avant :     Just perfectly mediocre pizza, nothing special at all. Greasy.
Après :     ['pizza', 'greasy']

Avant :     Just walked out. $11.27 for a cheeseburger, fries and coke. My only compliment is that they did offe
Après :     ['walk', 'cheeseburger', 'fry', 'coke', 'compliment', 'offer', 'money', 'food']

Avant :     Nice atmosphere but um $15 for 6 ravioli- nothing else on the plate???? 
Im serious: NOTHING ELSE PR
Après :     ['atmosphere', 'ravioli', 'plate', 'provide', 'side', 'ask', 'bread', 'burn', 'toast', 'kid']

Avant :     So disappointed!  We used to love this funky and fun late night spot- the drinks are still creative,
Après :     ['use_love', 'fun', 'night', 'spot', 'drink', 'ambience', 'homey', 'food', 'turn', 'seem']

Avant :     This place is dirty and old! If you go to the drive thru you'll get better service than if you go in
Après :     ['place', 'drive', 'service', 'lunch', 'time', 'find', 'people', 'ring', 'time']

Avant :     This is the worst restaurant that I have ever been to. Service is poor. Food is soso. We have to go 
Après :     ['restaurant', 'service', 'food', 'soso', 'restaurant', 'food', 'come', 'recommend', 'friend']

Avant :     The summer rolls came out warm and so loosely wrapped that when I bit into them the rice fell out of
Après :     ['summer', 'roll', 'come', 'wrap', 'bit', 'rice', 'fall', 'roll', 'pho', 'broth']

Avant :     Nothing too exciting for pho lovers.  Stopped here for on my way back from Longwood Garden since it 
Après :     ['pho', 'lover', 'stop', 'longwood', 'garden', 'star', 'beef', 'slice', 'cut', 'soup']

Avant :     I got an everything bagel with jalapeño cream cheese. It was good. But they got our order completely
Après :     ['cheese', 'order', 'realize', 'home', 'need', 'work', 'home', 'order']

Avant :     Spent 30 dollars on the Asian Bouillabaisse and then later spent 3 hours throwing it up back. 
Servi
Après :     ['spend_dollar', 'spend', 'hour', 'throw', 'service', 'salmon', 'prawn', 'overcook', 'lot', 'baby']

Avant :     This restaurant is over rated. My family went because we were new to the area and have heard great t
Après :     ['restaurant', 'rate', 'family', 'area', 'hear_thing', 'pack', 'parking', 'make_reservation', 'thought', 'food']

Avant :     Great place if you like poor quality sushi...these ratings are ridiculous and false...I gave this pl
Après :     ['place', 'quality', 'rating', 'false', 'give', 'place', 'nd', 'chance', 'year', 'disgust']

Avant :     Place is extremely small and over priced . Food was good but no different than any other Habachi pla
Après :     ['place', 'price', 'food', 'habachi', 'place', 'return', 'crowd', 'quality', 'food', 'habachi']

Avant :     Second time visiting Ooka. Food was great but will not return. My party arrived around 5:30pm on a F
Après :     ['time', 'visit', 'food', 'return', 'party', 'arrive', 'spend_dollar', 'food', 'manager', 'hover']

Avant :     This is my second time there, but very disappointed by the service and food this time. The hibachi i
Après :     ['time', 'disappoint', 'service', 'food', 'time', 'portion', 'overprice', 'waiter', 'experience', 'consider']

Avant :     Horrible service! All my friends were finished eating before I received my food. my chicken wasn't f
Après :     ['service', 'friend', 'finish', 'eat', 'receive', 'food', 'chicken', 'cook', 'rice', 'taste_cardboard']

Avant :     They do not care about customers.  My online order said chow mein, but I wanted lo mein.  They would
Après :     ['care_customer', 'order', 'say', 'want', 'budge', 'pay', 'order', 'accept', 'mein', 'return']

Avant :     Food is pretty good, if you can look past the worst service possible. On several accounts, whether p
Après :     ['food', 'look', 'service', 'account', 'pick', 'delivery', 'time', 'woman', 'take', 'order']

Avant :     Horrible customer service. Check your receipts before you leave. This is a must skip.
Après :     ['customer_service', 'check', 'receipt', 'leave', 'skip']

Avant :     Nice waiter! Onion rings and Fried calamari was alright but the Entrees are tasteless. Creole Catfis
Après :     ['waiter', 'onion_ring', 'fry', 'alright', 'entree', 'creole', 'catfish', 'rib']

Avant :     I usually like the oysters here but this time I had lunch.  Mediocre at best and really enjoyed a di
Après :     ['oyster', 'time', 'lunch', 'mediocre', 'enjoy', 'disgruntle', 'server', 'drop', 'fbomb', 'bar']

Avant :     Not how you expect a business to be ran, un professional on so many levels. Just open your eyes and 
Après :     ['expect', 'business', 'run', 'level', 'eye', 'pay_attention', 'food', 'cook', 'cooking', 'presentation']

Avant :     Went to this place obviously geared to out of town conventioneers because it was convenient to meeti
Après :     ['place', 'gear', 'town', 'conventioneer', 'meeting', 'co_worker', 'stay_hotel', 'convention', 'center', 'expectation']

Avant :     I do not know what is happened to this place but the service has gone completely down hill. I can't 
Après :     ['know', 'happen', 'place', 'service', 'tell', 'kitchen', 'suck', 'food', 'sit', 'come']

Avant :     Food was great but the service was absolutely unacceptable.  Waitress was a mess and took 45 min to 
Après :     ['food', 'service', 'mess', 'take', 'check']

Avant :     I am a New Orleans native, and eat out often. I tried Grand Isle last night with a friend. The servi
Après :     ['eat', 'try', 'isle', 'night', 'friend', 'service_terrible', 'take', 'hour', 'oyster', 'salad']

Avant :     Terrible experience. Waited over an hour for our food when the restaurant was empty then waited an a
Après :     ['experience', 'wait', 'hour', 'food', 'restaurant', 'empty', 'wait_minute', 'check', 'ask', 'split_check']

Avant :     I love shrimp and grits, but my entree completely missed the mark. The shrimp on top of the grits we
Après :     ['love', 'shrimp_grit', 'miss_mark', 'shrimp_grit', 'tiniest', 'shrimp', 'see', 'look', 'bag', 'grocery_store']

Avant :     Fish was very old tasting. 

The restaurant felt like a tourist only restaurant. 

Wait staff was av
Après :     ['fish', 'tasting', 'restaurant', 'feel', 'tourist', 'restaurant', 'wait', 'staff', 'seating']

Avant :     It's passable food. Probably more of a 2.5 stars type joint. The place is nice and the staff is nice
Après :     ['food', 'star', 'type', 'place', 'staff', 'food', 'feel', 'chicken', 'quality', 'way']

Avant :     Hate to sound pessimistic, but I ordered to Creole Catfish entre, large. Instead of filets it came o
Après :     ['hate', 'sound', 'order', 'creole', 'catfish', 'entre', 'filet', 'come', 'look', 'child']

Avant :     8:30 checked in to the Meridien and was referred to this place by my hotel. 

I walk in at 9pm and g
Après :     ['check', 'refer', 'place', 'hotel', 'walk', 'gentleman', 'bar', 'tell', 'kitchen', 'thank']

Avant :     Sat down at 7:30, left with no entrees at 9:40. Called 2 managers over to the table and both said so
Après :     ['leave', 'entree', 'call', 'manager', 'table', 'say', 'walk', 'table', 'sit', 'min']

Avant :     So I was starving  and craving tacos , I walk in and nobody was there just the workers . I ordered ,
Après :     ['starve', 'craving', 'taco', 'walk', 'worker', 'order', 'pay', 'taco', 'life', 'day']

Avant :     Food is good, place has been dirty every time I've been and the last time I went was before the lunc
Après :     ['food', 'place', 'time', 'time', 'lunch', 'hour', 'rush', 'spotless', 'people', 'food']

Avant :     Nashville is challenged when it comes to Italian food in my opinion. This restaurant is no exception
Après :     ['challenge', 'come', 'food', 'opinion', 'restaurant', 'exception', 'disclaimer', 'live', 'place', 'say']

Avant :     What a drag. Entrees (bolognese and lasagne) are too salty. Lemoncello cake is just sponge cake with
Après :     ['entree', 'cake', 'sponge', 'cake', 'strawberry', 'sauce', 'drive', 'franklin', 'expectation', 'salmon']

Avant :     Cashier was not friendly and rude.  My wife's pad Thai (1/5) was too spicy for her to eat. Thai Luan
Après :     ['cashier', 'wife']

Avant :     The securtity guard was rude after we caulded to his needs.. also no beer on tap ..stay away people 
Après :     ['securtity', 'guard', 'caulde', 'need', 'beer', 'tap', 'stay', 'people', 'spend_money', 'drink']

Avant :     Pros: Deals/specials aren't too bad. Ideal for when you're hungry on a budget. Quantity over quality
Après :     ['pro', 'deal', 'special', 'budget', 'quantity', 'quality', 'con', 'pizza', 'taste', 'bland']

Avant :     poor quality if wings I can get better from save a lot thingy.  worst ever..its just frozen food put
Après :     ['quality', 'wing', 'save', 'lot', 'thingy', 'freeze', 'food', 'put', 'int', 'min']

Avant :     Decent service, but food was subpar.  Stuff flounder tasted like mush.  Everything else was full of 
Après :     ['service', 'food', 'stuff', 'flounder', 'taste', 'mush', 'grease', 'lacking', 'flavor', 'time']

Avant :     Inconceivable: at a group presentation and they failed, even after a request to do so, turn off the 
Après :     ['group', 'presentation', 'fail', 'request', 'turn', 'music', 'food', 'serve', 'hour', 'order']

Avant :     Service was slow and lacking. They were out of dishes we attempted to order. The food was just down 
Après :     ['service', 'lack', 'dish', 'attempt', 'order', 'food', 'tasted', 'box', 'food', 'come']

Avant :     if it wasnt for the company of family & my hilarious nephew this would be 0 stars..i admit im not a 
Après :     ['company', 'family', 'nephew', 'star', 'admit', 'fan', 'lobster', 'graduate', 'want', 'lol']

Avant :     Just had an absolutely horrible experience at the Red Lobster on Causeway. Our food took forever, ha
Après :     ['experience', 'food', 'take', 'thing', 'order', 'order', 'come', 'time', 'server', 'tanecia']

Avant :     is it just me or has Red Lobster gone down in the dumps in the last few years. Food quality, service
Après :     ['dump', 'year', 'food', 'quality', 'service', 'portion', 'thumb', 'use', 'favorite']

Avant :     Horrible  service at the bar, it is a holiday but the two drinks I ordered they either didn't  have 
Après :     ['service', 'bar', 'holiday', 'drink', 'order', 'ingredient', 'serve', 'drink', 'order', 'wait_minute']

Avant :     This is my second bad experience in a row at Stefano's. Tonight, I waited over 45 minutes for a call
Après :     ['experience', 'row', 'stefano', 'tonight', 'wait_minute', 'call', 'order', 'say', 'take', 'minute']

Avant :     Menu changed from what they had posted on their website that day, so we were disappointed when we go
Après :     ['menu', 'change', 'post', 'website', 'day', 'try', 'thing', 'service', 'people', 'food']

Avant :     As far as service, I had an awful experience when just trying to call. I was interrogated about how 
Après :     ['service', 'experience', 'try', 'call', 'interrogate', 'make_reservation', 'guess', 'try', 'make_reservation', 'time']

Avant :     Food was nicely presented.

Some thoughts:
Why serve two glasses of wine simultaneously per person.

Après :     ['food', 'present', 'thought', 'serve', 'glass_wine', 'person', 'creativity', 'precision', 'acknowledge', 'thing']

Avant :     The chef really needs to find a local source for herbs because the food here, while fresh and local,
Après :     ['chef', 'need', 'find', 'source', 'herb', 'food', 'bland', 'know', 'plate', 'food']

Avant :     I'm not gonna lie, I was expecting this place to be so much better than it was.  Saw so many reviews
Après :     ['lie', 'expect', 'place', 'see', 'review', 'beet', 'steak', 'serve', 'pork', 'thing']

Avant :     Service: wait staff attentive.
Atmosphere: Freezing!
Food: Cucumber soup with peaky toe crab - amazi
Après :     ['staff', 'atmosphere', 'freeze', 'crab', 'dish', 'night', 'return', 'husband', 'fry', 'tomato']

Avant :     The food is good here but the service and cleanliness are not. I have come in here a few times becau
Après :     ['food', 'service', 'cleanliness', 'come', 'time', 'work', 'time', 'employee', 'borderline', 'try']

Avant :     this is supposed to be quick place to grab some asian food, but it is slooooooooooooooow beyond acce
Après :     ['suppose', 'place', 'grab', 'food', 'acceptability', 'person', 'dish', 'food', 'matter', 'line']

Avant :     One word....DISAPPOINTED.. I was very surprised at the lack of quality of the food for the price. Ta
Après :     ['word', 'disappoint', 'lack', 'quality', 'food', 'price', 'produce', 'price', 'price', 'lunch']

Avant :     What on earth is going on with this place? It has so much potential but fails to deliver on so many 
Après :     ['earth', 'place', 'fail', 'deliver', 'front', 'wrap', 'keep', 'freeze', 'death']

Avant :     Absolutely subpar, overpriced and bland. Wait was over 20 minutes for takeout and food was so disapp
Après :     ['subpar', 'bland', 'wait_minute', 'food', 'recommend', 'place', 'atleast', 'price', 'product']

Avant :     "Just ok" describes the food here.  Not amazing, not awful.  Probably why it doesn't seem to be busy
Après :     ['describe', 'food', 'awful', 'seem', 'rank', 'food', 'chain', 'buy', 'donut', 'flavor']

Avant :     The food doesn't match the prices. The donuts look delicious but honestly were really just okay. I w
Après :     ['food', 'match', 'price', 'donut', 'look', 'return']

Avant :     Nice place inside, but food is way too pricey and service is slow! 1st and last time eating here! Th
Après :     ['place', 'food', 'way', 'service_slow', 'time', 'eat', 'thank', 'noooo', 'thank']

Avant :     Had such high hopes and was great when it first opened and has gradually gone down hill. The place h
Après :     ['hope', 'open', 'hill', 'place', 'feel', 'quality', 'food', 'service', 'decline']

Avant :     Service was horrible. It should not take 20 minutes for 2  crispy chicken tacos. This is the third t
Après :     ['service', 'take', 'minute', 'time', 'visit', 'place', 'service', 'plan', 'come', 'break']

Avant :     Pretty bad experience. I would take taxo bell over sweet taco anyday. Their food selection sounds go
Après :     ['experience', 'take', 'taxo', 'bell', 'anyday', 'food', 'selection', 'sound', 'quality', 'taste']

Avant :     Cold unflavored tacos. Found a pad of butter in the rice of the, which also was unflavored. This may
Après :     ['find', 'pad', 'butter', 'rice', 'unflavore', 'step', 'consider', 'chipotle', 'empathize', 'dislike']

Avant :     Best thing here are the donuts...service terrible the food was cold and the taco salad dressing was 
Après :     ['thing', 'donut', 'service', 'food', 'salad_dress', 'overpower', 'list']

Avant :     As someone who loves Mexican, and knows how hard it is to find it in Delco, I had high hopes for Swe
Après :     ['love', 'mexican', 'know', 'find', 'delco', 'hope', 'disappoint', 'staff', 'atmosphere', 'bar']

Avant :     Ate at the pasta and steakhouse upstairs. Well, attempted to eat... Arrived at 730 pm and seated at 
Après :     ['eat', 'pasta', 'steakhouse', 'attempt', 'eat', 'arrive', 'seat', 'wait', 'order', 'steak']

Avant :     I was underwhelmed by everything about this place.

The patio: meh
The service: meh
The food: meh

T
Après :     ['underwhelme', 'place', 'food', 'experience', 'look', 'bar', 'food', 'neighborhood', 'head', 'scotty']

Avant :     Mixed review. Wife enjoyed the wings but my hot ranch burger had no flavor. Word of advice "seasonin
Après :     ['review', 'wife', 'enjoy', 'wing', 'ranch', 'word', 'advice', 'season', 'bar', 'food']

Avant :     I'm not quite sure if this place would be as successful if GB, one of our favorite Colts of all time
Après :     ['place', 'gb', 'colt', 'time', 'service', 'vary', 'food', 'mediocrity', 'pub', 'grub']

Avant :     Not so great. Husband tenderloin was decent. Wings were awful. No sauce just grease. Had to salt the
Après :     ['husband', 'tenderloin', 'wing', 'sauce', 'grease', 'salt', 'find', 'flavor', 'disappoint', 'trip']

Avant :     Food is usually late, but this time never arrived. Completely unapologetic over the phone. Will not 
Après :     ['food', 'time', 'arrive', 'phone', 'ordering']

Avant :     I'm not quite sure if these are in new customer relations handbook:

Rolling eyes when you walk into
Après :     ['customer', 'relation', 'handbook', 'roll_eye', 'walk', 'restaurant', 'force', 'work', 'tell', 'worker']

Avant :     welcome to mediocre (at best) cuisine.  they're a chain.  expect nothing more.  when I ordered a "he
Après :     ['cuisine', 'chain', 'expect', 'order', 'choice', 'chicken', 'dish', 'come', 'pepper', 'complain']

Avant :     I got a Baja chimichanga, beans, and rice. 
While I only took a few bites of all of it still ended w
Après :     ['baja', 'chimichanga', 'bean_rice', 'take_bite', 'end', 'food_poisoning']

Avant :     A clean little place w average food. Friendly service, but this place does not deserve all the hype 
Après :     ['place', 'food', 'service', 'place', 'deserve', 'hype', 'star_rating', 'clean', 'walk', 'block']

Avant :     Latte was decent but the place has all the charm of a fast food restaurant. It's not very conducive 
Après :     ['latte', 'place', 'charm', 'food', 'restaurant', 'linger', 'want', 'visit', 'cafe', 'try']

Avant :     Don't order the chopped salad if u are thinking it is chopped..it isn't.  Plus whoever was behind th
Après :     ['order', 'chop', 'thinking', 'chop', 'counter', 'rude', 'tell', 'chop', 'salad', 'proceed']

Avant :     Ordered fish, wings, and mac n cheese. The latter had a piece of hair in it (see photo). Also, I ord
Après :     ['order', 'fish', 'wing', 'cheese', 'piece', 'hair', 'see_photo', 'order', 'whiting', 'tilapia']

Avant :     Could be very good! Had lunch there today for first time. Breast was a tiny overcooked piece of crus
Après :     ['lunch_today', 'time', 'breast', 'piece', 'crust', 'part', 'cut', 'chicken', 'embarrass', 'serve']

Avant :     Why must people fix things that aren't broken? 

After coming here for almost *two years* for the mo
Après :     ['people', 'fix', 'thing', 'break', 'come', 'year', 'side', 'cumberland', 'take', 'night']

Avant :     The food is not as advertised. Small portions and tasteless. I know Lisa C. said the owners are "ama
Après :     ['food', 'advertise', 'portion', 'tasteless', 'say', 'owner', 'thing', 'find', 'treat_customer', 'product']

Avant :     Just left here for lunch with three co-workers.  Other than the one person that had the burger nobod
Après :     ['leave', 'lunch', 'worker', 'person', 'meal', 'recommend', 'place', 'burger', 'pan', 'fry']

Avant :     Went here with high hopes considering it's handmade and most of the reviews said it was good. It was
Après :     ['hope', 'consider', 'review', 'say', 'ceaser', 'pizza', 'sauce', 'taste', 'school', 'lunch']

Avant :     You guys with 4 and 5 stars are nuts.  This pizza may be a step above PizzaHut or Dominos.  They cru
Après :     ['guy', 'star', 'pizza', 'step', 'crust', 'cheese', 'pre_make', 'pizza', 'topping', 'add']

Avant :     So sick!!!  Staff was terrible and the produce tasted funky now I've been sick for 3 days!!!!!  I'm 
Après :     ['staff', 'produce', 'taste', 'day', 'quizno', 'year', 'excite', 'house']

Avant :     Have eaten there several times
In the past and the food and service was good. Today we went for brea
Après :     ['eat', 'time', 'food', 'service', 'today', 'breakfast', 'seat', 'lady', 'register', 'nod']

Avant :     On recommendation of hotel staff we ordered pizza.  EXTREMELY disappointing. Pizza was a lot smaller
Après :     ['recommendation', 'hotel', 'staff', 'order', 'pizza', 'pizza', 'lot', 'expect', 'oval', 'shape']

Avant :     My husband and I ate lunch here a month ago and the experience wasn't the best. We had to wait at le
Après :     ['husband', 'eat', 'lunch', 'month', 'experience', 'wait_minute', 'drink', 'hear', 'complain', 'overwork']

Avant :     The service is going to be slooooww. And the food okay. Do not come here if you are with a group mor
Après :     ['service', 'slooooww', 'food', 'come', 'group', 'come', 'group', 'one', 'service', 'mess']

Avant :     Service great, food awful 
We went there for a Sunday brunch. Our waitress was great, provided nice 
Après :     ['service', 'food', 'brunch', 'waitress', 'provide', 'service', 'wine', 'food', 'omelet', 'taste']

Avant :     I brought a party of 4 to dinner at 6. After sitting for 15 minutes seeking waitstaff,
we waited an 
Après :     ['bring', 'party', 'dinner', 'sit', 'minute', 'seek', 'wait', 'amount', 'time', 'minute']

Avant :     Waited longer then we were told. We could not carry  our bar check to our table we were told it's ea
Après :     ['wait', 'tell', 'carry', 'bar', 'check', 'table', 'tell', 'bartender', 'pay', 'staff']

Avant :     I'm really torn about the G'liff, but need to give it two stars for tonight's experience. There is n
Après :     ['tear', 'liff', 'need', 'give_star', 'tonight', 'experience', 'excuse', 'bar', 'restaurant', 'area']

Avant :     Both my wife and I ordered soup at the same time; our bowls came out 10 minutes apart.  My wife's so
Après :     ['order', 'soup', 'time', 'bowl', 'come', 'minute', 'come', 'piece', 'aluminum', 'foil']

Avant :     I have never written a bad review before. I just stopped by for a cup of coffee and a desert.  I ord
Après :     ['write_review', 'stop', 'cup_coffee', 'desert', 'order', 'strawberry', 'pie', 'half', 'strawberry', 'stuff']

Avant :     Mediocre at best. Brunch was almost warm. The potatoes were cold and the eggs were room temp. Due to
Après :     ['brunch', 'potato', 'egg', 'room_temp', 'difficulty', 'coffee', 'come']

Avant :     Another disappointing meal. Gullifty's used to be our go-to restaurant for lunch and dinner. We came
Après :     ['meal', 'gullifty', 'use', 'restaurant', 'lunch', 'dinner', 'come', 'year', 'favorite', 'fajita']

Avant :     We have been there several times, more than 10 because we live close by.

They have a habit of selli
Après :     ['time', 'live', 'habit', 'sell', 'drink', 'drink', 'neighbor', 'establishment', 'ask', 'bartender']

Avant :     Great atmosphere. Horrible Order to service time. Not sure if it's wait staff or if it's kitchen. Wh
Après :     ['atmosphere', 'order', 'service', 'time', 'wait', 'staff', 'kitchen']

Avant :     They completely burnt my burger and still served it to me.  One side was completely charred to a cri
Après :     ['burn', 'burger', 'serve', 'side', 'char', 'way', 'cook', 'notice', 'decide', 'serve']

Avant :     I took my daughter, son in law and three children on a Tuesday night.  The hostess was very friendly
Après :     ['take', 'daughter', 'child', 'night', 'accommodate', 'food', 'send', 'nachos', 'look', 'make']

Avant :     Meh. The food is pretty good and the outside seating is fun. First time here. Was served a dirty can
Après :     ['food', 'seat', 'fun', 'time', 'serve', 'beer', 'hair', 'glass', 'offer', 'patron']

Avant :     I went to Gullifty's with some old friends a few weeks back as we have not been there in a long time
Après :     ['friend', 'week', 'time', 'experience', 'pizza', 'bring', 'table', 'fall', 'floor', 'expect']

Avant :     Worst breakfast ever. Small portions. Uncooked grits and waitress forgot our toast didn't receive it
Après :     ['breakfast', 'portion', 'grit', 'waitress', 'forgot', 'toast', 'receive', 'come']

Avant :     Their facility is very nice. Didn't care for the flavor of their coffee. Went twice. Once too busy s
Après :     ['facility', 'care', 'flavor', 'coffee', 'time', 'desert', 'wonder', 'vanderbilt', 'class', 'crowd']

Avant :     Creamer was unlabeled. Only offered stevia as a sugar substitute, which I cannot stand. I returned t
Après :     ['creamer', 'unlabele', 'offer', 'sugar', 'substitute', 'stand', 'return', 'coffee', 'offer_refund']

Avant :     Horrible service.  Horribly managed.  Constantly out of something in the mornings.  Drive thru order
Après :     ['service', 'manage', 'morning', 'drive', 'order', 'day', 'expect']

Avant :     Speedy service, decent roast beef panini. Soupy mac and cheese. At least 3 different people checked 
Après :     ['service', 'roast_beef', 'soupy', 'cheese', 'people', 'check', 'table', 'lunch', 'time', 'give']

Avant :     If I could give this place less than one star I would. I ordered a potato but not until after we pai
Après :     ['give', 'place', 'star', 'order', 'potato', 'pay', 'inform', 'potato', 'food', 'husband']

Avant :     Decent food. Literally the worst service I have ever come across. I have had about 10 terrible exper
Après :     ['food', 'service', 'come', 'experience', 'location', 'time', 'think', 'play', 'joke', 'guess']

Avant :     Went here for lunch yesterday and ordered the French dip with Mac and cheese. The sandwich and Mac a
Après :     ['lunch', 'yesterday', 'order', 'sandwich', 'cheese']

Avant :     McAllister's is usually my splurge treat. I work in Elmwood so it's a little out the way. I excitedl
Après :     ['splurge', 'treat', 'work', 'elmwood', 'way', 'place', 'order', 'pick', 'lunch', 'inform']

Avant :     I tried to order the Mediterranean chicken dinner, which is listed on the menu. The employee behind 
Après :     ['try', 'order', 'dinner', 'list', 'menu', 'employee', 'counter', 'tell', 'serve', 'salmon']

Avant :     First timer. Ordered their turkey chili which was great. Had flavor. Also ordered their turkey provo
Après :     ['timer', 'order', 'chili', 'flavor', 'order', 'provolone', 'panini', 'unappealing', 'taste', 'sandwich']

Avant :     Really underwhelming. For a place that markets itself as health food, it has about two vegetarian it
Après :     ['underwhelme', 'place', 'market', 'health', 'food', 'item', 'menu', 'substitution', 'meat', 'item']

Avant :     The food has no flavor whatsoever. Their "queso" is nacho cheese sauce. I would go to Taco Bell befo
Après :     ['food', 'flavor', 'queso', 'nacho', 'cheese', 'sauce', 'bell', 'back']

Avant :     Thanks, I wanted to order but they won't deliver 4 Miles from their store. I don't understand that o
Après :     ['thank', 'want', 'order', 'deliver', 'mile', 'store', 'understand', 'one', 'need', 'business']

Avant :     This place should be on Restaurant Impossible. It's run down, the decor is tacky, beaten up, miss-ma
Après :     ['place', 'restaurant', 'run', 'decor', 'beat', 'miss', 'match', 'hide', 'dingy', 'order']

Avant :     After reading the reviews we decided to give Jesse's a try and sadly it didn't really meet our expec
Après :     ['read_review', 'decide', 'give', 'try', 'meet_expectation', 'service', 'food', 'steak', 'bland', 'shrimp_cocktail']

Avant :     So I had a overall good meal but service was not very good and I ordered a New York strip with no mu
Après :     ['meal', 'service', 'good', 'order', 'mushroom', 'cause', 'mushroom', 'give', 'mash_potato', 'gravy']

Avant :     The server was pleasant and efficient.  The salad was not very flavorful.  The entrees ( Icelandic c
Après :     ['server', 'salad', 'entree', 'cod', 'background', 'radio', 'noise', 'twofor', 'visit']

Avant :     Wouldn't honor a Local Flavor deal for their Sunday prime rib special. Their Prices turned out to be
Après :     ['honor', 'flavor', 'deal', 'rib', 'price', 'turn', 'see', 'sight', 'use', 'deal']

Avant :     Big, national, unhealthy chain with the nastiest, greasiest crust ever.  My mother in law likes it, 
Après :     ['greasiest', 'crust', 'mother', 'law', 'like', 'happen', 'people', 'believe', 'hate', 'place']

Avant :     Stopped in on a Saturday night that wasn't particularly crowded.  Service was definitely slow - 45+ 
Après :     ['stop', 'night', 'service', 'minute', 'entree', 'table', 'overflow', 'glass', 'plate', 'bus']

Avant :     Here's my dilemma. We want this place to succeed, it's local, good food, great ambiance, friendly wa
Après :     ['dilemma', 'want', 'place', 'succeed', 'food', 'ambiance', 'staff', 'sit', 'restaurant', 'husband']

Avant :     I have tried this place several times with very mixed results.  Service has been great one evening, 
Après :     ['try', 'place', 'time', 'result', 'service', 'evening', 'time', 'food', 'range', 'couple_week']

Avant :     Vegetarians BEWARE-The vegetarian menu has meat. It makes no sense. One side clearly is their regula
Après :     ['vegetarian', 'beware', 'menu', 'meat', 'make_sense', 'side', 'menu', 'meat', 'side', 'claim']

Avant :     Front of house service was good but food was really disappointing, almost everything at our table of
Après :     ['house', 'service', 'food', 'disappoint', 'table', 'chicken', 'sandwich', 'scrawny', 'taste', 'fish']

Avant :     Visited this place on a recommendation from a friend and wasn't impressed at all. I ordered the shri
Après :     ['visit', 'place', 'recommendation', 'friend', 'impress', 'order', 'shrimp_grit', 'ask', 'sauce', 'reply']

Avant :     Great food. Drink orders took forever, and for a while my table of 5 were the only ones there. At th
Après :     ['food', 'drink', 'order', 'take', 'table', 'one', 'end', 'meal', 'inform', 'take']

Avant :     We liked this place when we went about a year ago. We went back last night and will not return. Pati
Après :     ['like', 'place', 'year', 'night', 'return', 'patio', 'close', 'dining_room', 'fill', 'fry']

Avant :     This place is a joke. We waited 2 hours for cold food, gyro meat tasted like it was from the day bef
Après :     ['place', 'joke', 'wait', 'hour', 'food', 'gyro', 'meat', 'taste', 'day', 'chicken']

Avant :     This place is trash. Pizza was over an hour to deliver and it was cold when it got here
Après :     ['place', 'trash', 'pizza', 'hour', 'deliver']

Avant :     Pizza will do when you are hungry but I lived in Italy for 4 years soooo.  But the A/C must be broke
Après :     ['pizza', 'live', 'year', 'soooo', 'break', 'place', 'customer', 'table_wipe']

Avant :     Place looks nice but really isn't. The rooms are low quality and small. 

Our toilet is the same as 
Après :     ['place', 'look', 'room', 'quality', 'toilet', 'toilet', 'window', 'crack', 'charge', 'park']

Avant :     Wish there was an option for ONE STAR. An epic disappointment on my wedding weekend. To be continued
Après :     ['wish', 'option', 'star', 'disappointment', 'wedding', 'weekend', 'continue']

Avant :     Very rude staff... with the bands permission, I took the bands tip jar around to collect tips for th
Après :     ['staff', 'band', 'permission', 'take', 'band', 'tip', 'jar', 'collect', 'band', 'homage']

Avant :     If I could give this 0/5 stars I would. The front desk staff is EXTREMELY RUDE. They are unwilling t
Après :     ['give_star', 'front', 'desk', 'staff', 'help', 'overcharge', 'housekeep', 'throw', 'belonging', 'clean']

Avant :     Beautiful hotel. Great location. Really would love a bottle of water in my room or the ability to bu
Après :     ['hotel', 'location', 'love', 'bottle', 'water', 'room', 'ability', 'buy', 'hotel', 'give_star']

Avant :     Zero star is more apropos!  Surly operator and housekeeping staff do not contribute to their 5 star 
Après :     ['operator', 'housekeeping', 'contribute', 'star_rating', 'room', 'open', 'courtyard', 'need', 'update', 'decor']

Avant :     Very disappointed in the Royal Sonesta. Major construction happening outside the hotel which they fa
Après :     ['sonesta', 'construction', 'happen', 'hotel', 'fail', 'mention', 'call', 'request', 'room', 'noise']

Avant :     Disappointing experience on most levels. Unfriendly service, poor food quality, slim amenities, did 
Après :     ['experience', 'level', 'service', 'food', 'quality', 'amenity', 'feel', 'quality', 'food', 'room']

Avant :     I have never had worse customer service at any hotel I have ever stayed in. First, our valuable item
Après :     ['customer_service', 'hotel', 'stay', 'item', 'maid', 'room', 'hotel', 'security', 'ask', 'assist']

Avant :     The staff was nice, but so was pretty much everyone we met in NOLA.  The hotel was tired and the ame
Après :     ['staff', 'meet', 'hotel', 'amenity', 'price', 'stay', 'money', 'book', 'place', 'roosevelt']

Avant :     Ok so bourbon street was fun but I would not stay on it again.  The rooms were small the maid servic
Après :     ['fun', 'stay', 'room', 'service', 'room', 'ac', 'work', 'view', 'roof', 'trash']

Avant :     Basic donuts with strange names. Save your self the time and money and just to Snhuncks or better ye
Après :     ['donut', 'name', 'save', 'self', 'time', 'money', 'snhunck', 'world', 'donut']

Avant :     This place has gone downhill in a hurry.  When it first opened, the donuts were actually good and ha
Après :     ['place', 'hurry', 'open', 'donut', 'topping', 'top', 'donut', 'taste', 'open', 'location']

Avant :     Great toppings, so-so donuts. I tried 3 cake donuts - tres leches,  mango, and gooey butter cake. Th
Après :     ['topping', 'donut', 'try', 'cake', 'donut', 'tre', 'lech', 'cake', 'gooey', 'butter']

Avant :     You have no doubt read the conflicting reviews of Strange Donuts on Yelp and wondered whether it is 
Après :     ['read', 'conflict', 'review', 'donut', 'yelp', 'wonder', 'donut', 'donut', 'staff', 'hipster']

Avant :     Donut are beautiful and creative, but taste is seriously lacking.  Even glazed donuts are tasteless 
Après :     ['taste', 'lack', 'glaze', 'donut', 'tasteless', 'flavor', 'disappointment', 'prop', 'coffee']

Avant :     Strange that anyone would want to try this joint... including myself. Going back would be just stupi
Après :     ['want', 'try', 'include', 'doughnut', 'doughy', 'think', 'day', 'buy', 'morning', 'mention']

Avant :     I found their donuts to be dry and stale when I visited.  Would not go back nor recommend to anyone.
Après :     ['find', 'donut', 'visit', 'back', 'recommend', 'concept', 'base', 'donut', 'recipe', 'lack']

Avant :     I'm not sure this is the same place as some of the other reviewers went to apparently.  After hearin
Après :     ['place', 'reviewer', 'hear', 'buzz', 'girlfriend', 'try', 'place', 'morning', 'order', 'flavor']

Avant :     Strange Donuts gets an "A" for marketing and intrigue.  They have done a fantastic job generating bu
Après :     ['donut', 'marketing', 'intrigue', 'job', 'generating', 'buzz', 'kicking', 'look', 'creation', 'build']

Avant :     Like others, I want to love this place but the prices are high and the donuts didn't impress me.  No
Après :     ['want', 'love', 'place', 'price', 'donut', 'impress', 'sit', 'eat', 'donut', 'takeout']

Avant :     We came here around 12:30pm and there wasn't much to choose from. They tasted like regular donuts tb
Après :     ['come', 'choose', 'taste', 'donut', 'tbh', 'creation', 'one']

Avant :     Don't believe the hype. 
Ok. I have tried these donuts four times. These simply are not good donuts.
Après :     ['believe', 'hype', 'try', 'donut', 'time', 'donut', 'people_work', 'donut', 'hardworking', 'folk']

Avant :     While the staff is funny and nice, the entire place is overrated. The donuts are too expensive and t
Après :     ['staff', 'place', 'donut', 'weekend', 'donut', 'hit', 'waffle', 'feel', 'money', 'hype']

Avant :     I wanted to be a fan, but this "Strange" Donut was not what I expected. 

Their dough is oddly simil
Après :     ['want', 'fan', 'donut', 'expect', 'dough', 'grocery_store', 'variety', 'melt', 'mouth', 'consistency']

Avant :     I've never waited in the ridiculous line, (because I'm not a psychopath) but my boyfriend has. Medio
Après :     ['wait_line', 'psychopath', 'boyfriend', 'way_overprice', 'drive', 'chippewa']

Avant :     Went this morning after hearing about it from friends. Most of the donuts were dry and tasted like a
Après :     ['morning', 'hearing', 'friend', 'donut', 'taste', 'donut', 'sit', 'day', 'taste', 'waste_money']

Avant :     Total B.S. I had heard soooo much about how awesome and amazing these doughnuts were.  I get there o
Après :     ['hear', 'doughnut', 'sit', 'opening', 'try', 'suggest', 'offering', 'donut', 'sit', 'refrigerator']

Avant :     They really are strange. Definitely something you have to be in the mood to eat. Their PBJ donut is 
Après :     ['mood', 'eat', 'donut', 'gooey', 'fruit', 'loop', 'top', 'cake', 'base', 'donut']

Avant :     I was in from out of town and so excited to try the gluten free donuts.  My whole family came.  We d
Après :     ['try', 'gluten', 'donut', 'family', 'come', 'drive', 'minute', 'try', 'donut', 'try']

Avant :     Twice this past week they were closed when the sign on the door (and their answering machine - I cal
Après :     ['week', 'close', 'sign', 'door', 'answer', 'machine', 'call', 'say', 'understand', 'try']

Avant :     Not impressed. The restaurant was design to have a French theme but was masked by the large amount o
Après :     ['restaurant', 'design', 'theme', 'mask', 'amount', 'clutter', 'restaurant', 'blender', 'flower', 'dixi']

Avant :     Food was nothing special. I think this place gets a lot of hype because they push alcohol really har
Après :     ['food', 'think', 'place', 'lot', 'hype', 'push', 'alcohol', 'make', 'fun', 'vibe']

Avant :     Prep and pastry is underwhelming. If you want a hipster place to eat that offers a limited menu and 
Après :     ['prep', 'pastry', 'underwhelming', 'want', 'place', 'eat', 'offer', 'menu', 'place', 'want']

Avant :     So much hype with ehh delivery. The biscuits and gravy were SO hard and lacking flavor.
Après :     ['hype', 'ehh', 'delivery', 'biscuit_gravy', 'lack_flavor']

Avant :     This place was once my favorite but this recent experience wasn't the greatest. The waiter left us w
Après :     ['place', 'experience', 'waiter', 'leave', 'wait_minute', 'order', 'wait_minute', 'drink', 'excuse', 'need']

Avant :     Went for a brunch on a sunday morning and wow didnt realize the wait would be so long for basic food
Après :     ['morning', 'realize', 'wait', 'food', 'hear', 'people', 'disapointe', 'chicken', 'waffle', 'chicken_strip']

Avant :     I bought gift cards from Costco at a 20% discount.  Great right.  After two ridiculously terrible vi
Après :     ['buy', 'gift_card', 'discount', 'visit', 'include', 'boil_egg', 'benedict', 'give', 'remain', 'gift_card']

Avant :     6/14/2017 - The Campbell location is CLOSED for renovations. Wish I had know before we drove clear a
Après :     ['close', 'renovation', 'wish', 'know', 'drive', 'town', 'website', 'guess', 'expect']

Avant :     Was not impressed for such a long wait for food that was seasoned way off for breakfast food and for
Après :     ['wait', 'food', 'season', 'way', 'breakfast', 'food', 'bread', 'place', 'muffin', 'try']

Avant :     Came in today and set a wait list reservation and they said it would be about 10-15 minutes. An hour
Après :     ['come', 'today', 'set', 'wait', 'list', 'reservation', 'say', 'minute', 'hour', 'text']

Avant :     The food is good but this experience had the worst service. Waited for basically 30 minutes to get o
Après :     ['food', 'experience', 'service', 'wait_minute', 'change', 'card', 'waitress', 'see', 'talk', 'table']

Avant :     I ordered the Sweet Potato Hash with 2 eggs. The eggs were too well done, but the hash was good. I a
Après :     ['order', 'potato', 'hash', 'egg', 'egg', 'hash', 'good', 'biscuit', 'husband', 'bread']

Avant :     Tepid dirt-water coffee and stale churro dossant/cronut.  One star to the excellent staff.
Après :     ['dirt', 'water', 'coffee', 'star', 'staff']

Avant :     Overpriced and not worth the hype. The food is okay, but nothing I couldn't cook at home. I don't en
Après :     ['overprice', 'hype', 'food', 'cook', 'home', 'enjoy', 'spend_dollar', 'meal', 'leave']

Avant :     What a disappointment.

This place used to be one of the few authentic, elegant Italian eateries in 
Après :     ['disappointment', 'place', 'use', 'eatery', 'town', 'serve', 'road', 'lack', 'minute', 'salad']

Avant :     The food is OK, but is ruined by the awful atmosphere.  Two of the employees calling each other "fag
Après :     ['food', 'ruin', 'atmosphere', 'employee', 'call', 'faggot', 'deafen', 'rap', 'music', 'word']

Avant :     Have had better Gyros before. My wife tried the Doner plate, it came with a nice salad,4 different s
Après :     ['wife', 'try', 'doner', 'plate', 'come', 'sauce', 'fry', 'highlight', 'meat', 'bread']

Avant :     Reasonable Euro-style doner at shocking tourist prices. 

The plate - meat, bread, sauce, two sides 
Après :     ['euro', 'style', 'doner', 'tourist', 'price', 'plate', 'meat', 'bread', 'sauce', 'side']

Avant :     This is my second time here. The first time I had the lamb Kabob bowl. I wasn't impressed the first 
Après :     ['time', 'time', 'bowl', 'impress', 'time', 'decide', 'give', 'try', 'want', 'bite']

Avant :     Staff in the evening are a bunch of douchbags. Better places to eat downtown. Too bad because it's a
Après :     ['staff', 'evening', 'bunch', 'douchbag', 'place', 'eat', 'downtown', 'lunch', 'place', 'owner']

Avant :     This place is a mess. Literally. If you like slop this is it! They just slop your plate/pita & douse
Après :     ['place', 'mess', 'slop', 'slop', 'plate', 'time', 'end', 'sandwich', 'line', 'disintegrate']

Avant :     I use to love this place, food was amazing. However I do not appreciate watching cockroaches walking
Après :     ['use_love', 'place', 'food', 'appreciate', 'watch', 'cockroach', 'walk', 'table', 'need', 'say']

Avant :     I had probably the best sandwich ever here, but the customer service leaves something to be desired.
Après :     ['sandwich', 'customer_service', 'leave_desire', 'gentleman', 'accommodate', 'lady', 'register', 'offensive', 'mixup', 'order']

Avant :     Was a stop after work nice spot but no crowd. They plan on having entertainment soon so think it wil
Après :     ['stop', 'work', 'spot', 'crowd', 'plan', 'entertainment', 'think', 'food', 'star', 'quaint']

Avant :     Nice atmosphere, but the food left us wanting more especially for the price. We had the 'Good Pie' s
Après :     ['atmosphere', 'food', 'leave', 'want', 'price', 'pie', 'expect', 'crust', 'burn', 'overpower']

Avant :     I think that the pizza here was absolutely awful. It was also very overpriced. The service was incre
Après :     ['think', 'pizza', 'overprice', 'service', 'come', 'place']

Avant :     Yelp said they would be open at 9pm on a Wednesday...they were not. Their website says open "11-clos
Après :     ['say', 'open', 'website', 'say', 'look', 'try', 'pie', 'see', 'people', 'eat']

Avant :     All my husband and myself could taste on each of our pizzas was the dry, charcoal-like flavor of the
Après :     ['husband', 'taste', 'pizza', 'charcoal', 'flavor', 'crust', 'pizza', 'like', 'wood_fire', 'fluke']

Avant :     Service is pretty slow and the employees seem less than happy to be working.  They seem like they ra
Après :     ['service', 'employee', 'seem', 'working', 'seem', 'socialize', 'customer', 'help', 'customer', 'food']

Avant :     Came here as part of a tour. We were suppose to go next door to Hermitage House Smorgasbord; however
Après :     ['come', 'part', 'tour', 'suppose', 'door', 'hermitage', 'house', 'food', 'look', 'unappetizing']

Avant :     They are new in market, more like runned by ameture but though too pricy !!

We ordered for Prawns 6
Après :     ['market', 'runne', 'ameture', 'pricy', 'order', 'veg', 'appetizer', 'undercooke', 'taste', 'portion']

Avant :     Nobody greeted me. I had to walk over to a waiter to ask for a drink. Naan wasn't good...I think the
Après :     ['greet', 'walk', 'waiter', 'ask', 'drink', 'think', 'cook', 'time', 'variety', 'buffet']

Avant :     I had a really bad experience. The Biriyanis we ordered were definitely not fresh. My stomach was up
Après :     ['experience', 'biriyani', 'order', 'stomach', 'upset', 'eat', 'come']

Avant :     There is nothing like the other pics showed!!! I never give out review on Yelp, but I had to comment
Après :     ['pic', 'show', 'give', 'review_yelp', 'comment', 'fish', 'cut', 'dynamite', 'load', 'take_bite']

Avant :     Wow.. Haven't had sushi this bad in a long time.

We got take out and ended up throwing most of it o
Après :     ['time', 'take', 'end_throw', 'fish', 'order', 'octopus', 'dumple', 'appetizer', 'octopus', 'flavor']

Avant :     Not good. The cheeseburger was nasty and the fries sucked. Threw away all my food
Après :     ['cheeseburger', 'fry', 'suck', 'throw', 'food']

Avant :     Nothing particularly special about this place. Parking is difficult. The menu selection is OK. I hav
Après :     ['place', 'park', 'menu', 'selection', 'desire', 'order', 'meatloaf', 'waitress', 'say', 'price']

Avant :     Amber tried to give us old fries and weren't having it. Cold and burnt, we are not the ones. Get it 
Après :     ['try', 'give', 'fry', 'burn', 'one']

Avant :     We use to love to go to this location. I don't know what's happened but our last two visits have bee
Après :     ['use_love', 'location', 'know', 'happen', 'visit', 'service', 'food', 'leave', 'lot_desire', 'see']

Avant :     The WORST customer service!!! Never going back to any dots diner after this experience. If I could g
Après :     ['customer_service', 'dot', 'diner', 'experience', 'give_star']

Avant :     it wasn't busy at all & yet it took forever to get our smokehouse burgers.. 1 was ordered with out o
Après :     ['take', 'smokehouse', 'burger', 'order', 'onion', 'waitress', 'try', 'say', 'part', 'sauce']

Avant :     It was OK , i wont be going back, people coming up to the table passing out flyers disrespectful the
Après :     ['people', 'come', 'table', 'pass', 'flyer', 'waitress', 'remember', 'order', 'messy']

Avant :     Over priced drinks, mixing 4 or 5 different liquors and adding juice should NOT cost 15.00, and its 
Après :     ['price', 'drink', 'mix', 'liquor', 'add', 'juice', 'cost', 'shelf', 'liquor', 'crab']

Avant :     Every single time (which is 2) ive eaten here the food is delish and then i have diarrhea for the re
Après :     ['time', 'eat', 'food', 'diarrhea', 'rest', 'evening', 'draw', 'conclusion']

Avant :     This place is a hit or miss. Been here three times and it's been a miss twice. I just moved to Keswi
Après :     ['hit', 'time', 'miss', 'move', 'keswick', 'village', 'place', 'bubble_tea', 'sushi', 'walking']

Avant :     The food while well seasoned is entirely overcooked. The falafel were about the size of hockey pucks
Après :     ['food', 'season', 'falafel', 'size', 'hockey_puck', 'hardness', 'chew', 'charcoal', 'briquette', 'sandwich']

Avant :     While the food is okay, trying to deal with the people who run this place makes it not worth it. Kin
Après :     ['food', 'try', 'deal', 'people', 'run', 'place', 'make', 'try', 'nickle', 'dime']

Avant :     Wonderful man running it but they only had 2 dishes and they weren't good and very expensive for a p
Après :     ['man', 'run', 'dish', 'plate', 'rice', 'know', 'stay_business']

Avant :     Food is okay, drinks are super pricey for tiny cups and tons of ice. Service was okay, bartender was
Après :     ['food', 'drink', 'cup', 'ton', 'ice', 'service', 'bartender', 'make', 'drink', 'charge']

Avant :     Closed on Sunday July 8th. Not sure why but this restaurant is closed when supposed to be open 11-6 
Après :     ['close', 'restaurant', 'close', 'suppose', 'today', 'want', 'try', 'visit', 'area']

Avant :     My GF and I decided to get dinner here on a whim because we were hungry, and well, it was open. We w
Après :     ['decide', 'dinner', 'whim', 'open', 'underwhelme', 'food', 'service', 'waiter', 'take', 'order']

Avant :     I have eaten at this restaurant many times and, unfortunately, both the food and the service I've re
Après :     ['eat', 'restaurant', 'time', 'food', 'service', 'receive', 'family', 'birthday', 'party', 'ignore']

Avant :     I've never had an issue with this location until now. I went through the drive thru and ordered 3 en
Après :     ['issue', 'location', 'drive', 'order', 'entree', 'home', 'husband', 'begin', 'food', 'look']

Avant :     Not a great first experience at Pastorcito. 

I had three tacos - two pastor and one asada, they wer
Après :     ['experience', 'pastorcito', 'pastor', 'asada', 'underwhelme', 'pastor', 'bland', 'meat', 'fill', 'make']

Avant :     First time here and I had high expectations for this place with the high ratings. I was disappointed
Après :     ['time', 'expectation', 'place', 'rating', 'disappoint', 'taco', 'love', 'place', 'love', 'flavor']

Avant :     Can someone tell me why I ordered a breakfast burrito with all the fix-ins and it came out to 12 dol
Après :     ['tell', 'order', 'breakfast', 'fix', 'come', 'dollar', 'top', 'bee', 'knee', 'taco']

Avant :     The food I ordered was decent but the wait time for my family's order was ridiculous! We waited almo
Après :     ['food', 'order', 'time', 'family', 'order', 'ridiculous', 'wait', 'hour', 'place', 'order']

Avant :     Small portions. High prices

    The food here is overpriced for the small amount of food they give.
Après :     ['portion', 'price', 'food', 'overprice', 'amount', 'food', 'give', 'seafood', 'combo', 'advertise']

Avant :     Too expensive for the quality. Ordered lobster tail which was huge but overpriced. Drinks were water
Après :     ['quality', 'order', 'overprice', 'drink', 'water', 'seafood']

Avant :     Three adults and two teens for post-beach dinner. Great menu with plenty of options. We did calamari
Après :     ['adult', 'teen', 'post', 'beach', 'dinner', 'menu', 'option', 'onion_ring', 'app', 'adult']

Avant :     Had the fish tacos and mojo chicken. Both were mediocre. Not our top choice for the area.
Après :     ['choice', 'area']

Avant :     Not that good. Low quality. Typical beach joint. Steam bucket only half full. Shrimp over cooked. Se
Après :     ['quality', 'beach', 'steam', 'bucket', 'shrimp', 'service', 'average']

Avant :     I haven't got my sandwich yet? So I can't review the food. I can tell you the service is the worst I
Après :     ['sandwich', 'review', 'food', 'tell', 'service', 'see', 'waitress', 'time', 'dining', 'career']

Avant :     Can You say GMO's, MSG, don't serve to people with valid ID's, because their staff lacks the trainin
Après :     ['say', 'msg', 'serve', 'people', 'staff', 'lack', 'train', 'job']

Avant :     I've been here more times than I can count, as it is a frequent stop when my husband & I go out on t
Après :     ['time', 'count', 'stop', 'husband', 'motorcycle', 'service', 'hit', 'food', 'drink', 'cocktail']

Avant :     An old girlfriend introduced me to the original Crabby Bills in Indian Rocks Beach back in the 1980'
Après :     ['girlfriend', 'introduce', 'bill', 'beach', 'fun', 'food', 'place', 'rise', 'restaurant', 'open']

Avant :     If I could do no star at all I would. First time my Husband and I went here didn't know where to go 
Après :     ['star', 'time', 'husband', 'know', 'stand', 'door', 'sec', 'see', 'host', 'pole']

Avant :     Worst experience. Bartender was a total asshole. Rushed us the whole time hounded us for the bill. D
Après :     ['experience', 'bartender', 'total', 'asshole', 'rush', 'time', 'hound', 'bill', 'drink', 'price']

Avant :     Green beans from can warmed up as a side dish was a disappointment. Dry grilled mahi mahi. Turist tr
Après :     ['bean', 'warm', 'side', 'dish', 'disappointment', 'grill', 'turist', 'trap']

Avant :     we had the mussels and chicken sandwich, and both tasted like nothing! drinks were overpriced and no
Après :     ['mussel', 'chicken', 'sandwich', 'taste', 'drink', 'overprice', 'worth', 'recommend']

Avant :     Awful food, don't order fish and chips, honestly was disgusting, my wife order crab cake and it was 
Après :     ['food', 'order', 'fish_chip', 'wife', 'order', 'cake', 'salty']

Avant :     Poor service and bad food. Waitresses were rude. The food was overcooked. Will not come back
Après :     ['service', 'food', 'waitress', 'food', 'overcook', 'come']

Avant :     Ate here with my wife a few days ago when we were on vacation. The atmosphere is cool but the food l
Après :     ['eat', 'wife', 'day', 'vacation', 'atmosphere', 'food', 'leave', 'stomach', 'issue', 'slaw']

Avant :     I ordered the snow crab legs & gulf shrimp dinner.  The crab leg cluster was worse than you'd get at
Après :     ['order', 'snow', 'crab_leg', 'cluster', 'crab_leg', 'meat', 'shrimp', 'overcook', 'rubbery', 'recommend']

Avant :     Shrimp gumbo had 2 shrimps in it and they were cold in the hot soup... boiled fish had no flavor... 
Après :     ['shrimp', 'gumbo', 'shrimp', 'soup', 'boil', 'fish', 'flavor', 'beverage', 'fernando', 'waiter']

Avant :     Save your money.  The only thing going for this place is the new building and nice view of the water
Après :     ['save_money', 'thing', 'place', 'building', 'view', 'water', 'beach', 'service', 'server', 'stop']

Avant :     So sad to say we had a horrible experience at Crabby Bills last night. Server was very nice but it t
Après :     ['say', 'experience', 'bill', 'night', 'server', 'nice', 'take', 'food', 'quality', 'fish']

Avant :     The first beer was warm 
Didn't stay for the second die to the fact and didn't eat the food because 
Après :     ['beer', 'stay', 'fact', 'eat', 'food', 'serve', 'beer', 'wtf', 'expect', 'food']

Avant :     They don't listen and forget things, nasty ketchup station and fries are almost always not fresh. Th
Après :     ['listen', 'forget', 'thing', 'ketchup', 'station', 'fry', 'food', 'process', 'chemical', 'gmo']

Avant :     I don't think my order has ever been right on the first time before... live nearby so I go there but
Après :     ['think', 'order', 'time', 'live', 'wish', 'work', 'thing', 'ice_cream', 'machine_break', 'lot']

Avant :     There was a lady yelling at other employees and complaining. She rolled her eyes when I asked for my
Après :     ['yell', 'employee', 'complain', 'roll_eye', 'ask', 'order']

Avant :     What's up with quality here? Really bad. I got a small mac n cheese and it was cold! Salad box was h
Après :     ['quality', 'cheese', 'salad', 'box', 'half', 'cup', 'salad', 'wedge', 'tomato', 'quality']

Avant :     Was stoked for this location to open considering Donelson has such limited options in this price ran
Après :     ['stoke', 'location', 'consider', 'donelson', 'limit', 'option', 'price', 'range', 'food', 'seem']

Avant :     Took a long time and the person at the drive through wasn't very nice. Also I don't go to Panera in 
Après :     ['take', 'time', 'person', 'drive', 'bc', 'hear', 'order', 'pay', 'kick', 'price']

Avant :     From outta town, we did a take out order. We ordered a lot, they forgot soup and our bags of chips.

Après :     ['town', 'take', 'order', 'order', 'lot', 'soup', 'bag_chip', 'ask', 'check', 'bag']

Avant :     One out of three dishes was good. I ordered what was highlighted on Guy's show. The chargrilled oyst
Après :     ['dish', 'order', 'highlight', 'guy', 'show', 'chargrille', 'oyster', 'pizza', 'crawfish', 'beignet']

Avant :     Great atmosphere, usually good service, and a nice bar, but the food here (from the seafood to the p
Après :     ['atmosphere', 'service', 'bar', 'food', 'seafood', 'pizza', 'click', 'time', 'drug', 'friend']

Avant :     Yikes! Defiantly a miss for us tonight from start to finish. The stuffed mushrooms had a very odd fl
Après :     ['yike', 'miss', 'tonight', 'start', 'finish', 'stuff', 'mushroom', 'flavor', 'eat', 'taste']

Avant :     This guy at the front desk wouldn't sit us because he said we were only 2 so we had to wait for a sm
Après :     ['guy', 'desk', 'sit', 'say', 'wait', 'table', 'couple', 'walk', 'sit', 'sit']

Avant :     Meh. It was a Monday and Liuzza's was closed, so I went to Katie's. 

The chargrilled oysters were f
Après :     ['close', 'katie', 'chargrille', 'oyster', 'say', 'artichoke', 'soup', 'room_temp', 'friend', 'bean']

Avant :     I've tried reaching out to this business and every time I called, they immediately hung up on me. I 
Après :     ['try', 'reach', 'business', 'time', 'call', 'hang', 'guess', 'bring', 'family']

Avant :     I love this establishment and I come here very often.  However, on several occasions, the host (who 
Après :     ['love', 'establishment', 'come', 'occasion', 'host', 'look', 'mitch', 'mcconnell', 'wear', 'glass']

Avant :     Visited again 8/6/2018 around 11:20.  Received food around 12:25.  Brandon apologized for "The rush 
Après :     ['visit', 'receive', 'food', 'apologize', 'rush', 'watch', 'come', 'eat', 'leave', 'forget']

Avant :     I want to love Katies- I try to love Katies.... It needs to impress me. Everytime I've gone with hig
Après :     ['want', 'love', 'katie', 'try', 'love', 'katie', 'need', 'impress', 'everytime', 'hope']

Avant :     For a place that gets such good press, I've been underwhelmed every time I've been here. Try Liuzza'
Après :     ['place', 'press', 'underwhelme', 'time', 'try', 'liuzza', 'want', 'neighborhood', 'restaurant', 'experience']

Avant :     Everybody said try the craw fish beignet and I was not impressed I actually had the seafood beignet 
Après :     ['say', 'try', 'craw', 'fish', 'beignet', 'impress', 'seafood', 'beignet', 'shrimp', 'mayonnaise']

Avant :     Oh no. I'm sorry...they were friendly, but I would not recommend the food. I had a shrimp dish, the 
Après :     ['recommend', 'food', 'shrimp', 'dish', 'shrimp', 'swimming', 'congeal', 'smell', 'ginger', 'expect']

Avant :     I ordered for delivery from this place several times. Unfortunately the last couple times, they pack
Après :     ['order', 'delivery', 'place', 'time', 'couple', 'time', 'pack', 'food', 'seal', 'container']

Avant :     I've never had food this disgusting in my life the scallops came out of a box in my salad Asian sala
Après :     ['food', 'life', 'scallop', 'come', 'box', 'salad', 'pack', 'flavor', 'sushi', 'smell']

Avant :     Gave this place a chance instead of going to the trusted Pho Queyn and was very disappointed. Ordere
Après :     ['give', 'place', 'chance', 'trust', 'pho', 'disappoint', 'order', 'meal', 'take', 'consistency']

Avant :     They closed early for the fight but didn't update their website to reflect that. Took my order and m
Après :     ['close', 'fight', 'update', 'website', 'reflect', 'take', 'order', 'money', 'say', 'kitchen']

Avant :     I literally just came home for the burgerking marlton location. I wanted to try the "new chicken san
Après :     ['come', 'burgerke', 'location', 'want', 'try', 'chicken', 'sandwich', 'open', 'sandwich', 'look']

Avant :     Called in and placed  an order for delivery . He said it would not be a problem to deliver to our ad
Après :     ['call', 'place', 'order', 'delivery', 'say', 'problem', 'deliver', 'address', 'mintue', 'call']

Avant :     Never again. I've gotten Dominos several times and it's ok, (I prefer the little neighborhood pizza 
Après :     ['dominos', 'time', 'prefer', 'neighborhood', 'pizza', 'place', 'order', 'pizza', 'breadstick', 'deliver']

Avant :     Their portion size is good. Aside from that, the food was almost flavourless. If you like very very 
Après :     ['portion_size', 'food', 'flavourless', 'bland', 'taste', 'food', 'folk', 'spot', 'order', 'friend']

Avant :     We came here for lunch on a Sunday to find that they close for a few hours between lunch and dinner.
Après :     ['come', 'lunch', 'find', 'hour', 'lunch', 'dinner', 'check', 'hour_operation', 'come', 'clean']

Avant :     I have tried to visit this restaurant 2 times due to the good reviews on Yelp. The first time I look
Après :     ['try', 'visit', 'restaurant', 'time', 'review_yelp', 'time', 'look', 'line', 'say', 'open']

Avant :     I come here last month and order my favorite food pad thai. But that is coming not to much good, coo
Après :     ['come', 'month', 'order', 'food', 'pad', 'come', 'cook', 'season', 'think', 'come']

Avant :     I ordered delivery from mikes and the minimum order was $20 plus a $2 delivery fee. The food took fo
Après :     ['order', 'delivery', 'mike', 'minimum', 'order', 'delivery_fee', 'food', 'take', 'order']

Avant :     Not good at all. Received potato chips with salsa, enchiladas were something but not enchiladas...Ma
Après :     ['receive', 'potato', 'chip', 'take', 'finish', 'come', 'sw', 'love', 'food', 'tell']

Avant :     Avoid the steak. I have eaten their twice and found several pieces of it were mainly fat or grisle. 
Après :     ['avoid', 'steak', 'eat', 'find', 'piece', 'time', 'complain', 'manager', 'say', 'tell']

Avant :     Staff was pretty friendly. 

The food area was a bit of a mess. 

The pinto bean looked like bean pa
Après :     ['staff', 'food', 'area', 'bit', 'mess', 'pinto', 'bean', 'look', 'bean', 'paste']

Avant :     very unusual for a chipotle - all but one server/ attendant was unmindful! They kept talking among t
Après :     ['chipotle', 'server', 'attendant', 'keep', 'talk', 'serve', 'folk', 'line']

Avant :     WiFi is terrible! Coffee is average. We got the vegan wrap and it was really dry and bland. So sad b
Après :     ['wifi', 'coffee', 'average', 'vegan', 'wrap', 'bland', 'look', 'flavor', 'sauce', 'texture']

Avant :     YUGGH!  Don't expect much from this place.  I've had the pizza, wings, french fries, onion rings, cu
Après :     ['expect', 'place', 'pizza', 'wing', 'fry', 'onion_ring', 'fry', 'sandwich', 'give', 'plenty']

Avant :     Food is ok if you like cold fries and alittle chicken on pizza called them back and the girl said yo
Après :     ['food', 'fry', 'pizza', 'call', 'girl', 'say', 'need', 'talk', 'walter', 'say']

Avant :     We got 50 wings last night. We ate a few and just couldn't believe how small, over cooked and horrib
Après :     ['wing', 'night', 'eat', 'believe', 'trash']

Avant :     I am very disappointed by their service.  I ordered a Stromboli and chicken wings at 6:15pm for pick
Après :     ['service', 'order', 'wing', 'pick', 'pm', 'order', 'stand', 'pm', 'order', 'word']

Avant :     Been going here since it opened. The food and service was good. Tonight was bad service. I picked up
Après :     ['open', 'food', 'service', 'tonight', 'service', 'pick', 'say', 'minute', 'minute', 'food']

Avant :     We had fish that was bland.  The waiter-recommended fried chicken was only average.  We had to flag 
Après :     ['bland', 'waiter', 'recommend', 'fry', 'chicken', 'flag', 'waiter', 'couple', 'time', 'remind']

Avant :     Ralph oh ralph,

Im not sure about you. I was impressed with your creative cocktails at the bar, but
Après :     ['impress', 'cocktail', 'bar', 'dissapointe', 'food', 'menu_item', 'restaurant', 'hope', 'food', 'fish']

Avant :     I ordered the wahoo and it was inedible.  I sent it back.  They offered another dish, but it was muc
Après :     ['order', 'send', 'offer', 'dish', 'meal', 'end', 'eat', 'wife', 'trout', 'rest']

Avant :     I know that this place has been around forever and that it's a local spot and something of a New Orl
Après :     ['know', 'place', 'spot', 'staple', 'tell', 'location', 'service', 'food', 'uninspire', 'blah']

Avant :     This is a beautiful restaurant. We dined with a large group and it was not good. Food was served col
Après :     ['restaurant', 'dine', 'group', 'food', 'serve', 'hour', 'seat', 'city', 'park', 'salad']

Avant :     Very disappointing.  I walk in, and I"m like "Oh, this is nice.  Very cute place".  But sadly, the f
Après :     ['walk', 'place', 'food', 'rave', 'home', 'deal', 'breaker', 'serve', 'rice', 'gumbo']

Avant :     Waited 20 minutes for our drinks.  Our appetizers came out about 10 minutes before the cocktails.  W
Après :     ['wait_minute', 'drink', 'appetizer', 'come', 'minute', 'cocktail', 'waitress', 'apologize', 'say', 'take']

Avant :     Ribeye was thin and chewy. I tried it again a few months later. I spit it out. Literally. Onto my pl
Après :     ['ribeye', 'chewy', 'try', 'month', 'spit', 'plate']

Avant :     The food is incredibly salty to the point of tasting bitter- all of it from appetizer to the main co
Après :     ['food', 'point', 'taste', 'appetizer', 'course', 'fry', 'eat', 'food', 'pay_bill', 'leave']

Avant :     This place sucks!  It was the worst meal I have ever had. Would have been better off going to McDona
Après :     ['place', 'suck', 'meal', 'mcdonald', 'street']

Avant :     Used to frequent the place regularly.  However, something has changed.  Food has gone down hill and 
Après :     ['use', 'place', 'change', 'food', 'hill', 'bar', 'service', 'give', 'couple_month', 'straighten']

Avant :     Typical franchise nothing to rave about but I will say when compared to OutHouse Steakhouse it's cer
Après :     ['franchise', 'rave', 'say', 'compare', 'outhouse', 'steakhouse', 'place', 'server', 'motion', 'kitchen']

Avant :     Decent service, okay food. Biscuit and gravy was good but eggs were all undercooked. Bacon tasted li
Après :     ['service', 'food', 'biscuit_gravy', 'egg_bacon', 'taste', 'come', 'tho']

Avant :     Small diner type feel with nice staff. The food is par at best. I consider this a greasy spoon type 
Après :     ['diner', 'type', 'feel', 'staff', 'food', 'par', 'consider', 'greasy', 'spoon', 'type']

Avant :     Some of the rudest service i have ever received. The man at the counter literally threw my credit ca
Après :     ['service', 'receive', 'man', 'counter', 'throw', 'credit_card', 'total']

Avant :     This place has high potential.  It is in a good location & has the appearance of a diner from a bygo
Après :     ['place', 'location', 'appearance', 'diner', 'bygone', 'era', 'seat', 'table', 'thing', 'notice']

Avant :     Went back in on a Tues. Bar was busy but cleared out. Single bartender. Four of us ordered some food
Après :     ['tue', 'bar', 'clear', 'bartender', 'order', 'food', 'drink', 'bartender', 'chat', 'employee']

Avant :     Awful. Food came cold. Waited over 45 minutes. Seafood dinner came ice cold. Waitress offered to re-
Après :     ['food', 'come', 'wait_minute', 'seafood', 'dinner', 'come', 'ice', 'waitress', 'offer', 'heat']

Avant :     Typical Bar, good variety of beers but pricey. Food not flavorful, crab cake sandwich bland, bun ver
Après :     ['bar', 'variety', 'beer', 'food', 'crab_cake', 'sandwich', 'bland', 'bun', 'bread', 'remoulade']

Avant :     Experience at Slowdown getting worse. Tonight, had to remind waitress I ordered onion soup. Wasn't c
Après :     ['experience', 'slowdown', 'tonight', 'remind', 'waitress', 'order', 'onion_soup', 'order', 'broil', 'seafood']

Avant :     Things have changed. This place use to be my favorite. So good and fast. Every time I go there it's 
Après :     ['thing', 'change', 'place', 'use', 'time', 'staff', 'seem', 'time', 'food', 'bland']

Avant :     We stopped by for lunch kind of late, maybe around 1:45 PM.  We were the only customers at that time
Après :     ['stop_lunch', 'customer', 'time', 'music', 'blare', 'ask', 'music', 'turn', 'bit', 'conversation']

Avant :     I really hesitated to come here because the reviews were so mixed but my friends said her family rea
Après :     ['hesitate', 'come', 'review', 'friend', 'say', 'family', 'like', 'use', 'eat', 'banquet']

Avant :     Kind of pricey. My quesadilla tasted like the ones I make at home instead of what I expect for $9.00
Après :     ['quesadilla', 'taste', 'one', 'make', 'home', 'expect', 'version', 'people', 'order', 'food']

Avant :     Ordered a St. Louis and it had hardly any meat. Taste was okay but mainly cheese and pizza sause. At
Après :     ['order', 'meat', 'taste', 'cheese', 'pizza', 'sause', 'atmosphere']

Avant :     This review is not about the food; which I never got to, but rather the experience.

Was pleasantly 
Après :     ['review', 'food', 'experience', 'surprise', 'birthday', 'coupon', 'mail', 'make', 'plan', 'meet_friend']

Avant :     Horrible experience for the last time. After waiting two hours for a delivery that was wrong, I vowe
Après :     ['experience', 'time', 'wait', 'hour', 'delivery', 'wrong', 'vow', 'manager', 'apologize', 'put']

Avant :     Good service and fresh
However, for the money I would go to another burrito place
The amount of chic
Après :     ['service', 'money', 'burrito', 'place', 'amount', 'rice', 'wrap', 'veggie', 'bite', 'chicken']

Avant :     It pains me to write this, but I fear I must...

I used to really enjoy P&K as a lively neighborhood
Après :     ['pain', 'write', 'fear', 'use', 'enjoy', 'neighborhood', 'spot', 'elevate', 'pub', 'food']

Avant :     i put off trying P & K because of the $12 price tag on the burger, even though it's been recommended
Après :     ['put', 'try', 'price_tag', 'burger', 'recommend', 'yesterday', 'decide', 'try', 'drink', 'mark']

Avant :     This anecdote well summarizes my experience.  A friend and I had lunch here.  When the waiter came o
Après :     ['anecdote', 'summarize', 'experience', 'friend', 'lunch', 'come', 'table', 'meal', 'ask', 'reply']

Avant :     Came here for brunch with some friends and was underwhelmed. I got the egg white omelet and my frien
Après :     ['come', 'brunch', 'friend', 'underwhelme', 'egg', 'omelet', 'friend', 'cheddar', 'apple', 'omelet']

Avant :     This place was no better than OK. The drinks and apps were fine. I got the chicken sandwich for my m
Après :     ['place', 'drink', 'app', 'chicken', 'sandwich', 'course', 'think', 'chicken', 'sandwich', 'thing']

Avant :     Doesn't live up to its potential. Love the atmosphere and bar but I have never enjoyed a meal there 
Après :     ['live', 'love', 'atmosphere', 'bar', 'enjoy', 'meal', 'time', 'friend', 'want', 'food']

Avant :     I've been bummed on P&K's food ever since Spring 2009 when they took the fish and chips off the menu
Après :     ['bum', 'food', 'spring', 'take', 'fish_chip', 'believe', 'keep', 'try', 'goodbye', 'churchill']

Avant :     it's a really lovely bar, the food was good, but in no way was that burger worth $18. For $18 dollar
Après :     ['bar', 'food', 'way', 'burger', 'dollar', 'burger', 'reach', 'slap', 'stick', 'burger']

Avant :     Went here on recommendation to try the gnudi and I may not be taking recommendations from that perso
Après :     ['recommendation', 'try', 'gnudi', 'take', 'recommendation', 'person', 'seem', 'smother', 'butter', 'serve']

Avant :     We had lunch here today and I wasn't impressed at all.  The service SUCKED.  We were about to leave 
Après :     ['lunch_today', 'impress', 'service', 'suck', 'leave', 'waiter', 'come', 'leave', 'food', 'show']

Avant :     If you are going to screw me in a dark room in public at least take my pants off first so I can have
Après :     ['screw', 'room', 'public', 'take', 'pant', 'fun', 'charge', 'beer', 'want', 'toe']

Avant :     Third times a ... well, I wanted it to be a charm, but it was another dud.  I really wanted to like 
Après :     ['time', 'want', 'charm', 'dud', 'want', 'pub', 'kitchen', 'block', 'think', 'nice']

Avant :     Went there one time drunk off my ass with some friends. Hipster Paradise. $5 bottled beer. I asked t
Après :     ['time', 'ass', 'friend', 'bottle', 'beer', 'ask', 'bartender', 'place', 'call', 'rabbit']

Avant :     My complaint revolves around 1 thing. No red cream soda. I can only assume the owner is trying to cu
Après :     ['complaint', 'revolve', 'thing', 'cream', 'soda', 'assume', 'owner', 'try', 'cut_corner', 'pay']

Avant :     Well I cannot say if the food was good or how the service was but what I can say it guy that came to
Après :     ['say', 'food', 'service', 'say', 'guy', 'come', 'table', 'come', 'brush', 'hair']

Avant :     I've gone to this Starbucks two days in row and the service was terribly slow. I've never had to wai
Après :     ['starbuck', 'day', 'row', 'service', 'wait_minute', 'tea', 'lemonade', 'hit', 'day', 'row']

Avant :     I decided to give am@fm a shot today after seeing the rave reviews it has been receiving on Yelp. To
Après :     ['decide', 'give', 'shoot', 'today', 'see', 'rave_review', 'receive', 'yelp', 'keep', 'thing']

Avant :     Ordered wings dry, sauce on the side & cheese Ff for pick up. Got home & pulled everything out & tho
Après :     ['order', 'wing', 'sauce', 'side', 'cheese', 'pick', 'home', 'pull', 'think', 'wing']

Avant :     We had high hopes of this spot because of the photo I saw on Best Food New O Instagram page. Specifi
Après :     ['hope', 'spot', 'photo', 'see', 'food', 'instagram', 'page', 'come', 'grit', 'see_photo']

Avant :     Horns gets one star for the waitress with the amber necklace... she was fabulous.  If not for her ch
Après :     ['horn', 'star', 'waitress', 'necklace', 'demeanor', 'attention', 'star', 'burn', 'pancake', 'taste']

Avant :     Literally the worst service. No one came to our table to take drink orders until like 11 minutes int
Après :     ['service', 'come', 'table', 'take', 'drink', 'order', 'minute', 'stay', 'give', 'menu']

Avant :     We've tried this place 3 times and each time it was just bad.  the food is burnt and overcooked. Ser
Après :     ['try', 'place', 'time', 'time', 'food', 'burn', 'service', 'place']

Avant :     Worst brunch I have ever had!!! Waited one hour and ten minutes for our food. Our server said that t
Après :     ['brunch', 'wait', 'hour', 'minute', 'food', 'server', 'say', 'forgot', 'fix', 'order']

Avant :     If you have a lot of time on your hands to wait for run of the mill food then this is the place.  We
Après :     ['lot', 'time', 'hand', 'wait', 'run_mill', 'food', 'place', 'take', 'minute', 'food']

Avant :     Do not get the pancakes here!!! I ordered the Doc Horn which came with two eggs, pancakes, and sausa
Après :     ['pancake', 'order', 'come', 'egg', 'pancake', 'sausage', 'look', 'customer', 'pancake', 'food']

Avant :     Well it's too bad because this place is off the beaten path in a neighborhood. However the service w
Après :     ['place', 'beat', 'path', 'neighborhood', 'service', 'wait', 'hour', 'minute', 'breakfast', 'make']

Avant :     The Grog's an ok bar - the burgers are good and the beers are cold - but the bartenders are a crusty
Après :     ['grog', 'bar', 'burger', 'beer', 'bartender', 'crusty', 'group', 'understand', 'seem', 'bit']

Avant :     This bar is such a disappointment. It has a great location, the decor is cool, the food and drink me
Après :     ['bar', 'disappointment', 'location', 'decor', 'food', 'drink', 'menu', 'ruin', 'bar_tender', 'face']

Avant :     The workers at this restaurant were extremely disrespectful and the service was terrible. The waitre
Après :     ['worker', 'restaurant', 'service', 'waitress', 'tell', 'allow', 'sit', 'restaurant', 'order', 'food']

Avant :     The artichoke dip was microwaved.

The staff was indifferent and rudely behaved.

The bathrooms were
Après :     ['artichoke_dip', 'microwave', 'staff', 'behave', 'bathroom', 'fly_fly', 'food', 'leave', 'come', 'dude']

Avant :     Don't sit at the bar. The servers love to stand around the kiosk and talk behind each others' backs.
Après :     ['sit_bar', 'server', 'love', 'stand', 'kiosk', 'talk', 'back', 'sit_bar', 'hear', 'comment']

Avant :     This place is awful. The whole staff talking bad about everyone who walks in and then are just rude 
Après :     ['place', 'staff', 'talk', 'walk']

Avant :     I'd growl a little when my friends wanted to go out to the Grog on a weekday night. During the day, 
Après :     ['growl', 'friend', 'want', 'grog', 'night', 'day', 'pub', 'lancaster', 'serve', 'greasy']

Avant :     Terrible experience!! We loved the quaint look of Bryn Mawr, and The Grog jumped out at us because i
Après :     ['experience', 'love', 'quaint', 'look', 'grog', 'jump', 'seem', 'search', 'look', 'menu']

Avant :     Use to love this place growing up!!! I actually worked their for a year and loved the people I worke
Après :     ['use_love', 'place', 'grow', 'work', 'year', 'love', 'people_work', 'owner', 'sell', 'rest']

Avant :     Came here on a Saturday night it was just ok. The bouncers were rude at the door but the bartenders 
Après :     ['come', 'night', 'door', 'bartender', 'receptionist', 'dancing', 'end', 'leave', 'spot']

Avant :     Came here with a couple people, there was barely anyone here. Plenty of people working, but the serv
Après :     ['come', 'couple', 'people', 'people_work', 'service', 'friend', 'order', 'put', 'lime', 'salt']

Avant :     The bouncer was angry we were leaving. He said if you have something to say, say it to my face b****
Après :     ['leaving', 'say', 'say', 'say', 'face', 'plan', 'come', 'come', 'shock', 'happen']

Avant :     The bartenders are on point, servers need better training mayne.  Our server a showed up like at ran
Après :     ['bartender', 'point', 'server', 'need', 'training', 'mayne', 'server', 'show', 'ass', 'interval']

Avant :     Tried to go there the other night but got stopped at the door for wearing boots even though I've bee
Après :     ['night', 'stop', 'door', 'wear', 'boot', 'dozen', 'time', 'boot', 'people', 'wear']

Avant :     This place always has a DJ on the weekends so you have two problems:

1) Music that is too loud. I d
Après :     ['place', 'weekend', 'problem', 'music', 'understand', 'people', 'stand', 'talk', 'hear', 'hip']

Avant :     I got the baby back ribs & they were horrible. Tuff, I broke two plastic knives on them. They sat me
Après :     ['baby', 'rib', 'tuff', 'break', 'knife', 'sit', 'entrance', 'walk', 'wind', 'blow']

Avant :     I visited this place because, hey I figured its nice to support family owned places. Boy was I wrong
Après :     ['visit', 'place', 'figure', 'support', 'family', 'place', 'boy', 'place', 'way', 'price']

Avant :     What a Stinky restaurant.  The restroom is right smack in the middle restaurant when the door open, 
Après :     ['restroom', 'smack', 'restaurant', 'door', 'see', 'toilet', 'smell', 'world', 'country', 'see']

Avant :     Woke up at 9 am, first thing I ate all day was a sandwich from this place at 10pm. Tasted so nasty I
Après :     ['wake', 'thing', 'eat', 'day', 'sandwich', 'place', 'taste', 'spit', 'bite', 'lose_appetite']

Avant :     I personally don't like Manny's pizza. I'd give it a 2 of 10. However, many of the people I grew up 
Après :     ['manny', 'pizza', 'give', 'people', 'grow', 'school', 'love', 'menu', 'lot', 'sandwich']

Avant :     Not clean at all all 5 of us left with boxes after we ordered the food tonot cause problems also a c
Après :     ['clean', 'box', 'order', 'food', 'cause', 'problem', 'couple', 'problem', 'food', 'order']

Avant :     I stuck my chopsticks into the pad thai noodles, slightly turned my chopsticks to a 45 degree angle,
Après :     ['chopstick', 'pad', 'noodle', 'turn', 'chopstick', 'degree', 'angle', 'lift', 'hand', 'surprise']

Avant :     I really had high hopes for a great Thai restaurant in the area...I've gone here twice since it's cl
Après :     ['hope', 'area', 'drive', 'city', 'visit', 'year', 'open', 'food', 'give_chance', 'try']

Avant :     A typical South Jersey BYOB Italian restaurant located in a strip center with a brick oven, go figur
Après :     ['restaurant', 'locate', 'strip', 'center', 'brick', 'figure', 'restaurant', 'service', 'food', 'come']

Avant :     Just sat here for 9 minutes and watched 4 staff members stand around and no one came to my table. Th
Après :     ['watch', 'staff_member', 'stand', 'come', 'table', 'tables', 'restaurant', 'guess', 'table', 'person']

Avant :     Terrible establishment.  Poor service. The bouncers do not have any restraint. If you are female the
Après :     ['establishment', 'service', 'bouncer', 'restraint', 'grab', 'experience', 'share', 'meet', 'know', 'waste_time']

Avant :     Karaoke is wonderful!!!!! They need more women's restrooms. One stall is not enough to have the traf
Après :     ['need', 'woman', 'restroom', 'stall', 'traffic', 'respect', 'customer', 'serve', 'door', 'renovate']

Avant :     The worst. They were supposed to be apart of a 90's bar crawl that I paid money to participate in. W
Après :     ['suppose', 'bar', 'crawl', 'pay', 'money', 'participate', 'winner', 'special', 'music', 'participate']

Avant :     Needed a place to hangout while waiting on another reservation, reminded me of why I hated bars in c
Après :     ['need', 'place', 'wait', 'reservation', 'remind', 'hate', 'bar', 'college', 'people', 'pm']

Avant :     I frequent this Subway cause it's close to my house. The place is clean enough, and the food was ave
Après :     ['subway', 'cause', 'house', 'place', 'food', 'subway', 'restaurant', 'gentleman', 'appear', 'food']

Avant :     If you read Adam's review below, mine is almost identical! The older gentleman there yelled at me to
Après :     ['read_review', 'gentleman', 'yell', 'tonight', 'listen', 'employee', 'tell', 'husband', 'gentleman', 'want']

Avant :     Overrated and very expensive for what you get. I am all for supporting local but this was by far one
Après :     ['overrate', 'support', 'breakfast']

Avant :     Very disappointed. Girlfriend had made a reservation a month prior for my birthday and we showed up 
Après :     ['girlfriend', 'make_reservation', 'month', 'birthday', 'show', 'find', 'restaurant', 'shut', 'health', 'inspector']

Avant :     They always mess up on my phone to ask a chicken Philly they gave me a B Philly what time I can hear
Après :     ['mess', 'phone', 'ask', 'give', 'time', 'hear', 'ask', 'give', 'tomato', 'give']

Avant :     was here twice -- first for a nightcap at the bar -- the drinks really were some good stuff and i tr
Après :     ['nightcap', 'bar', 'drink', 'stuff', 'try', 'lemon', 'hummus', 'morning', 'come', 'brunch']

Avant :     ** REVIEW BASED ON BAR ONLY **

The feel of this trendy spot is very posh, but works well and has a 
Après :     ['review', 'base', 'bar', 'feel', 'spot', 'work', 'energy', 'price', 'beer_selection', 'select']

Avant :     This place is incredibly pricey $14 for a Moscow Mule? Especially one that was very week just tastes
Après :     ['place', 'week', 'taste', 'ginger', 'beer', 'bartender', 'nice', 'keep', 'touch', 'hair']

Avant :     Hi Caitlin, 

Thank you for your reply.  I appreciate your attention to the issues. I forgot to ment
Après :     ['thank', 'reply', 'appreciate', 'attention', 'issue', 'forget', 'mention', 'name', 'waitress', 'unwelcoming']

Avant :     We are guests at the hotel so decided to have dinner here last night. I ordered the Amish chicken an
Après :     ['guest', 'hotel', 'decide', 'dinner', 'night', 'order', 'chicken', 'husband', 'pork_chop', 'good']

Avant :     Listen, I hate to be the bearer of bad news, but excuse me Hotel Palomar...banners are for Science M
Après :     ['listen', 'hate', 'news', 'banner', 'science', 'museum', 'hotel', 'rewind', 'walk', 'meet']

Avant :     My gf and I were told by the hostess that they were open until 2am. We ordered fries then after they
Après :     ['tell', 'order', 'fry', 'put', 'give', 'tell', 'bar', 'bartender', 'come', 'announce']

Avant :     Unfortunately a sad disappointment for a Sunday brunch. First time here after hearing this was a gre
Après :     ['disappointment', 'brunch', 'time', 'hear', 'place', 'come', 'enjoy', 'morning', 'option', 'sit']

Avant :     Poor experience for Sunday brunch. Staying at Palomar Hotel, so arrived early, at 800 a.m., and rest
Après :     ['experience', 'brunch', 'stay_hotel', 'arrive', 'restaurant', 'waiter', 'wait_minute', 'coffee_refill', 'egg', 'present']

Avant :     Why oh why would you put us upstairs in the creepy 2nd floor when the downstairs is so cool?

Why wo
Après :     ['put', 'creepy', 'nd', 'floor', 'take', 'minute', 'make', 'yogurt', 'parfait', 'question']

Avant :     Went here for breakfast. Food was good, but pricey for what it is. The waitress was terrible and bar
Après :     ['breakfast', 'food', 'pricey', 'waitress', 'come', 'table', 'ask', 'waitress', 'thing', 'need']

Avant :     We expected much more from this restaurant after reviewing the menu and reviews online. Upon our arr
Après :     ['expect', 'restaurant', 'reviewing', 'menu', 'review', 'arrival', 'reservation', 'take', 'minute', 'seat']

Avant :     I thought I'd love this place, but I was wrong!  My partner and I had brunch today with his youngest
Après :     ['think', 'love', 'place', 'partner', 'brunch', 'today', 'sister', 'time', 'catch', 'spending']

Avant :     Really disappointed-quality that I experienced years ago gone. Way too salty-fries, salmon, blooming
Après :     ['disappoint', 'quality', 'experience', 'year', 'way', 'fry', 'salmon', 'bloom', 'onion', 'food']

Avant :     I stop at this Burger King sometimes on my way to work and besides the fact that they are usually sl
Après :     ['stop', 'burger', 'king', 'way', 'work', 'fact', 'slow', 'worker', 'experience', 'happen']

Avant :     Wish  people who are in the business of selling burgers  would have a great deal more pride in their
Après :     ['wish', 'people', 'business', 'selling', 'burger', 'deal', 'pride', 'company', 'individual', 'teller']

Avant :     You don't accept cash?  I don't think you grasp the ramifications of such a corpo-fascist economic p
Après :     ['accept', 'cash', 'think', 'grasp', 'ramification', 'principle', 'room', 'commie', 'diet', 'thank']

Avant :     Horrible service everytime. I have to teach the employees how to make a proper acai bowl. They obvio
Après :     ['service', 'everytime', 'teach', 'employee', 'make', 'acai_bowl', 'keep', 'train', 'employee']

Avant :     So, the customer service was lacking and the wait time was unreal! They screwed up my order (my daug
Après :     ['customer_service', 'lacking', 'wait', 'time', 'screw', 'order', 'daughter', 'order', 'try', 'charge']

Avant :     It was just okay to me. Kind of over priced. I paid 14 buck's for two smalls drinks. The register lo
Après :     ['price', 'pay', 'buck', 'small', 'drink', 'register', 'lock', 'wait_minute', 'change', 'frustrate']

Avant :     gave it a second try...I've had better and cheaper açai bowls...the smoothies look good though
Après :     ['give', 'try', 'acai_bowl', 'smoothie', 'look']

Avant :     They need more staff. I had to run to the airport and I asked the staff to hurry as I was already wa
Après :     ['need', 'staff', 'airport', 'ask', 'staff', 'hurry', 'wait_minute', 'press', 'juice', 'glare']

Avant :     Probably depends on who makes your bowl. Mine wasn't good and I know they guy was new. He didn't eve
Après :     ['depend', 'make', 'mine', 'know', 'guy', 'know', 'gluten', 'base', 'chunky', 'taste']

Avant :     Don't order unless you have over 40 mins for a couple smoothies and 2 aloe shots. Then they just han
Après :     ['order', 'min', 'couple', 'smoothie', 'shot', 'hand', 'stuff', 'walk', 'finish', 'employee']

Avant :     Customer service is awful. We got two acai bowls. One order was asked with no granola, when taking t
Après :     ['customer_service', 'acai_bowl', 'order', 'ask', 'take', 'acai_bowl', 'try', 'take', 'hand', 'wait_min']

Avant :     Have been coming here for months and place has really gone downhill. Inconsistency with staff and ju
Après :     ['month', 'place', 'inconsistency', 'staff', 'train', 'staff_member', 'today', 'change', 'glove', 'handle']

Avant :     Service was atrocious.  There is a really nice bartender that is usually working when I go there but
Après :     ['service', 'bartender', 'work', 'time', 'girl', 'give', 'attention', 'man', 'bar', 'hand']

Avant :     Nice location. Good atmosphere. But the staff is very inexperience. 
It took a while for the service
Après :     ['location', 'atmosphere', 'staff', 'inexperience', 'take', 'service', 'come', 'order', 'girl', 'come']

Avant :     Overpriced and underwhelming.  Had the sausage/egg:cheese sandwich this morning on whole grain $4.89
Après :     ['overprice', 'sausage', 'egg', 'cheese', 'sandwich', 'morning', 'grain', 'sausage', 'sandwich', 'size']

Avant :     Absolutely horrible service, cold soup and my salad was drenched in dressing. The iceberg lettece wa
Après :     ['service', 'soup', 'salad', 'drench', 'dress', 'brown', 'pickle', 'place', 'star']

Avant :     Service is usually way better bit this girl emilee was working and more concerned with her phone tha
Après :     ['service', 'way', 'bit', 'girl', 'work', 'phone', 'keep', 'glass', 'frustrating']

Avant :     I am a long term frequent customer of this establishment. I just went in to order take out (3 apps) 
Après :     ['term', 'customer', 'establishment', 'order', 'take', 'app', 'tell', 'place', 'dick', 'reach']

Avant :     We went on more than a few recommendations so we were disappointed when most of our fish was overcoo
Après :     ['recommendation', 'fish', 'overcook', 'order', 'smelt', 'hummus', 'service', 'rush', 'wait', 'night']

Avant :     Sorry to say the service was just awful!!!! Really waitresses couldn't be bothered to get extra napk
Après :     ['say', 'service_awful', 'waitress', 'bother', 'napkin', 'change', 'plate', 'course', 'wipe', 'table']

Avant :     food was bland, outdated, and expensive.  this is not an innovative restaurant.  octopus was chewy, 
Après :     ['food', 'bland', 'outdate', 'restaurant', 'octopus', 'tasteless', 'lack', 'grill', 'flavor', 'fish']

Avant :     Its unfortunate that this restaurant has to hire such terrible people... The delivery driver was one
Après :     ['restaurant', 'hire_people', 'delivery_driver', 'people', 'encounter', 'girlfriend', 'place', 'order', 'indispose', 'time']

Avant :     If I could give 0 stars I would. This place is TRASH. First of all they kept telling me the wrong to
Après :     ['give_star', 'place', 'trash', 'keep', 'tell', 'price', 'keep', 'add', 'food', 'meet']

Avant :     Worst pizza I ever had. Sauce is too sweet. Pizza is not suppose to taste like that and I've been fe
Après :     ['pizza', 'sauce', 'pizza', 'suppose', 'taste', 'feel', 'day']

Avant :     The food was good, service was horrible. I ordered orange juice for my kids and waited till we were 
Après :     ['food', 'service', 'order', 'juice', 'kid', 'wait', 'eat', 'juice', 'take', 'cash']

Avant :     Good food, but to me it's not worth the horrible service or the rude staff, and they only take cash 
Après :     ['food', 'service', 'rude', 'staff', 'take', 'cash', 'check', 'sign', 'state', 'sign']

Avant :     We decided to try this place out, considering that other nearby restaurants nearby such as Lucky Bam
Après :     ['decide', 'try', 'place', 'consider', 'restaurant', 'bamboo', 'miss', 'rate', 'yelp', 'pho']

Avant :     The place is sloppy.  A woman sits on a high stool and watches two servers walk their legs off to a 
Après :     ['place', 'woman', 'sit', 'stool', 'watch', 'server', 'walk', 'leg', 'room', 'customer']

Avant :     This place used to be amazing in the 90's and early 2000's.  The decor hasn't changed very much sinc
Après :     ['place', 'use', 'decor', 'change', 'place', 'look', 'run', 'time', 'take', 'minute']

Avant :     I came here with a friend before heading out the the CMA in downtown Nashville. We was hungry so we 
Après :     ['come', 'friend', 'head', 'cma', 'downtown', 'decide', 'stop', 'time', 'today', 'table']

Avant :     Visited this place while on vacation , unfortunately I had a horrible experience ! There was a long 
Après :     ['visit', 'place', 'vacation', 'experience', 'hair', 'pho', 'show', 'waitress', 'yell', 'say']

Avant :     Ordered Bun Bo Hue (hue style beef noodles) and it tasted like water and noodles. Ordered rice with 
Après :     ['order', 'hue', 'style', 'beef', 'noodle', 'taste', 'water', 'noodle', 'order', 'rice']

Avant :     Worst service ever. I come here all the time, never again will I come. I had a problem with the food
Après :     ['service', 'come', 'time', 'come', 'problem', 'food', 'owner', 'scold', 'complain', 'tell']

Avant :     Ordered the #6 chicken, shrimp with veggies. Got sick after eating their food. Poor service as well.
Après :     ['order', 'chicken', 'shrimp', 'veggie', 'eat', 'food', 'service', 'recommend', 'stay', 'experience']

Avant :     I had 2 shrimp fresh spring rolls and a bowl of rice noodle in this restaurant last night, and I hav
Après :     ['spring_roll', 'rice', 'noodle', 'restaurant', 'night', 'suffer', 'diarrhea', 'morning', 'ascribe', 'caz']

Avant :     This place is over priced, it was totally empty on a Friday night at 9:30.... Disappointed that I di
Après :     ['place', 'price', 'night', 'look', 'menu', 'coming', 'look', 'rate', 'quality', 'food']

Avant :     Don't order take out! The portions are Smaller but the price is same. Hibachi wasn't worth 25 dollar
Après :     ['order', 'take', 'portion', 'price', 'hibachi', 'dollar', 'place', 'eat', 'meat', 'wish']

Avant :     The towel they give you to clean your hands priot to dinner smelled dirty, the staff was very rude a
Après :     ['give', 'hand', 'priot', 'dinner', 'smell', 'staff', 'place']

Avant :     We ordered from SB menus therefore we expected it to take a long time. It took over two hours and I 
Après :     ['order', 'menu', 'expect', 'take', 'time', 'take', 'hour', 'voicemail', 'driver', 'accident']

Avant :     awful inedible slop the pork was rancid just disgusting,egg rolls were decent
Après :     ['slop', 'pork', 'rancid', 'egg_roll']

Avant :     I walked here for lunch the other day after months of walking by and being curious.  I ordered the w
Après :     ['walk', 'lunch', 'day', 'month', 'walk', 'order', 'egg_roll', 'grow', 'love', 'stress']

Avant :     The food I ordered was so spoiled that I couldn't even stomach a bite of it. I have no idea how they
Après :     ['food', 'order', 'spoil', 'stomach', 'bite', 'idea', 'allow', 'food', 'serve', 'fry_rice']

Avant :     For a while, China Bowl was the only Chinese food that delivered through SB Menus so I ordered from 
Après :     ['deliver', 'menu', 'order', 'time', 'thing', 'wanton', 'soup', 'order', 'menu']

Avant :     Wow. I had heard it was lousy, but I don't always listen, so I tried it for myself. I ordered vegeta
Après :     ['hear', 'listen', 'try', 'order', 'vegetable', 'noodle', 'know', 'dish', 'noodle', 'vegetable']

Avant :     We tried this place Yesterday afternoon. This place is not bad but not great. Very fast. They tried 
Après :     ['try', 'place', 'yesterday', 'afternoon', 'place', 'try', 'pass', 'pint', 'beer', 'mix']

Avant :     Used to love this place, but I don't know what happened. Sub-par food and not great service
Après :     ['use_love', 'place', 'know', 'happen', 'sub_par', 'food', 'service']

Avant :     The food is not that good, plus it wasn't very hot when it was served and got cold quickly plus it's
Après :     ['food', 'serve', 'refrie_bean', 'taste', 'enchilada', 'sauce']

Avant :     Been going here since they opened. Was always good consistent food and great service. My last visit 
Après :     ['open', 'food', 'service', 'visit', 'week', 'disapointe', 'meal', 'wife', 'cook', 'taste']

Avant :     I do not recommend this restaurant , Went there last night with a party of 8, very slow service the 
Après :     ['recommend', 'restaurant', 'night', 'party', 'service', 'waiter', 'forget', 'item', 'come', 'check']

Avant :     First impression, bad restaurant hostess! The young Hispanic lady who took my order was very impolit
Après :     ['impression', 'restaurant', 'hostess', 'lady', 'take', 'order', 'order', 'food', 'husband', 'want']

Avant :     Don't like being a hater, but 1st knock on it 
was that it took an hour to get my food, then it wasn
Après :     ['take', 'hour', 'food', 'people', 'restaurant', 'look', 'come', 'curry', 'bleh']

Avant :     Service is THE WORST! After placing my order for pickup and talking to someone who clearly shouldn't
Après :     ['service', 'place', 'order', 'pickup', 'talk', 'answer_phone', 'tick', 'attitude', 'bother', 'place']

Avant :     A beautiful setting but the food doesn't live up to the surroundings.  In particular, my wife had th
Après :     ['set', 'food', 'surrounding', 'wife', 'sauteed', 'gulf', 'fish', 'disappoint', 'flavor', 'day']

Avant :     Went for Sunday brunch . The service was great for us as there was only one other table being served
Après :     ['brunch', 'service', 'great', 'table', 'serve', 'gumbo', 'burn', 'roux', 'bar', 'que']

Avant :     I've been wanting to come here for a long time being a mid city resident.  HOWEVER, the trout was su
Après :     ['want', 'come', 'time', 'resident', 'trout', 'sub_par', 'come', 'pea', 'risotto', 'chef']

Avant :     Do not go here if you are a vegetarian! 

Although the ambience was great for Sunday brunch--quiet, 
Après :     ['vegetarian', 'ambience', 'brunch', 'rush', 'feel', 'jazz', 'music', 'background', 'learn', 'make']

Avant :     Terrible in so many ways!!! Locals will be disappointed! Service is horrible, food just as bad! Ever
Après :     ['way', 'local', 'disappoint', 'service', 'food', 'dish', 'smother', 'sauce', 'stuff', 'shrimp']

Avant :     Fish Tacos were OK. But when you charge $4.95 to replace fries with fruit, that's just absurd.  And 
Après :     ['charge', 'replace', 'fry', 'fruit', 'waiter', 'note', 'fee', 'order']

Avant :     This place is incredibly overpriced
Our party of 6 had 3 chicken sandwiches, 2 orders of chicken str
Après :     ['place', 'overprice', 'party', 'chicken', 'sandwich', 'order', 'chicken_strip', 'order', 'fish_taco', 'sandwich']

Avant :     Well I guess I kindles liked it but just not really but here's my comment OMG I rather eat at McDona
Après :     ['guess', 'kindle', 'like', 'comment', 'omg', 'eat', 'mcdonald']

Avant :     Ate at the bar. More that $10 for a cheeseburger. Wasn't impressed at all. Waitress was nice but tha
Après :     ['eat', 'bar', 'cheeseburger', 'impress', 'waitress', 'appear', 'give', 'location']

Avant :     Get a drink and some chips if you need something to munch on and go sit on the beach. The food was a
Après :     ['drink', 'chip', 'need', 'sit', 'beach', 'food', 'one', 'dinner', 'time', 'guess']

Avant :     I hate it when I am initially thrilled with a restaurant, only to have subsequent visits disappoint 
Après :     ['hate', 'thrill', 'restaurant', 'visit', 'disappoint', 'case', 'egg', 'find', 'steak', 'cut']

Avant :     So bad. Waitress insulted where I work. It's definitely filled with older people. I didn't like anyt
Après :     ['waitress', 'insult', 'work', 'fill', 'people', 'note', 'employee', 'know', 'upset', 'people']

Avant :     Kind of an older person hang out. This is especially true in the season. Its not horrible but its on
Après :     ['person', 'hang', 'season', 'place', 'put', 'bar', 'postpone', 'dinner', 'time', 'pasta']

Avant :     Man, I have to say I was disappointed after reading some of the good reviews on here for Pomme Cafe.
Après :     ['say', 'read_review', 'pomme', 'space', 'service', 'wine_selection', 'food', 'duck', 'confit', 'salad']

Avant :     The price does not reflect the quality of service or food. Overall poor value unless you're 65-75 an
Après :     ['price', 'reflect', 'quality', 'service', 'food', 'value', 'income', 'lock', 'care']

Avant :     Was so disappointed at Frank's yesterday when we found they were out of all fish! Who has a daily "a
Après :     ['yesterday', 'find', 'fish', 'eat', 'fish', 'fry', 'advertise', 'fish', 'lunch', 'order']

Avant :     Stopped in at 7pm on a Sunday night for some homecookin food.  Saw a sign for $1 drafts and .25 wing
Après :     ['stop', 'night', 'see', 'sign', 'draft', 'wing', 'place', 'girl', 'wait', 'keep']

Avant :     Fish was greasy and fries was cold. Then the waitress was rude and very slow. Will never come back.
Après :     ['fish', 'greasy', 'fry', 'waitress', 'rude', 'come']

Avant :     I've had Ray's Sub Shop once before and had a spectacular 5 star experience, the second time around 
Après :     ['experience', 'time', 'order', 'hour', 'order', 'chicken', 'cutlet', 'sandwich', 'order', 'sandwich']

Avant :     I just brought home a whole Spicy Italian sub from Ray's.  The meats were abundant but of such poor 
Après :     ['bring', 'sub', 'ray', 'meat', 'quality', 'sandwich', 'toss', 'assume', 'profusion', 'sign']

Avant :     We went on a Wenesday 6/6/18 @ 9:20pm  for endless wings! Everything was normal then we found a fold
Après :     ['wenesday', 'pm', 'wing', 'find', 'fold', 'receipt', 'ice', 'take', 'sip', 'shock']

Avant :     Went there with my husband and a friend. We waited 15 minutes for our drinks. After we finally got t
Après :     ['husband', 'friend', 'wait_minute', 'drink', 'order', 'food', 'take', 'hour', 'serve', 'waitress']

Avant :     DO NOT ORDER FROM HOOTERS VIA GRUBHUB!  I made that mistake, spending about $60 total.  My order was
Après :     ['order', 'hooter', 'make_mistake', 'spend', 'order', 'screw', 'wing', 'cheesecake', 'place', 'food']

Avant :     I always have to be literal when I don't care for a place. Sadly, this hooters was a disappointment.
Après :     ['care', 'place', 'hooter', 'disappointment', 'feel', 'place', 'make', 'haunt', 'beer', 'bet']

Avant :     Not worthy of one star! Husband and I worked all day. Decided to order 50 wings we picked them up ca
Après :     ['star', 'husband', 'work', 'day', 'decide', 'order', 'wing', 'pick', 'come', 'home']

Avant :     I don't generally leave reviews. But I'm quite unhappy about this place. Our group of fourteen consi
Après :     ['leave', 'review', 'place', 'group', 'consist', 'child', 'receive', 'check', 'charge', 'price']

Avant :     Parking in Clearwater is a nightmare.  This establishment had no parking at all and had to pay to pa
Après :     ['parking', 'clearwater', 'nightmare', 'establishment', 'parking', 'pay', 'park', 'eat', 'food', 'price']

Avant :     A year later and the quality has declined. The service was very slow and it was a quiet night. I aga
Après :     ['year', 'quality', 'decline', 'service', 'night', 'order', 'ahi', 'tuna', 'bowl', 'eat']

Avant :     Ordered the yard bird and my dining partner had the new York strip. The chicken was supposed to have
Après :     ['order', 'yard', 'bird', 'partner', 'suppose', 'jerk', 'spice', 'flavorless', 'jicama', 'slaw']

Avant :     Definitely 1 star, arrived back at hotel feeling bad in my stomach, frozen food. Avoid this place.
Après :     ['arrive', 'hotel', 'feel', 'stomach', 'food', 'avoid', 'place']

Avant :     You probably won't get sick eating here, it's clean and staff was ok.  Food was applebees(ish). 

Th
Après :     ['eat', 'staff', 'food', 'applebee', 'ish', 'buy']

Avant :     Took 45 minutes to get our food and the place is empty, so no excuses. Service was drastically lacki
Après :     ['take', 'minute', 'food', 'place', 'excuse', 'service', 'lack', 'refill', 'food', 'waitress']

Avant :     Slowest service ever.  25 minutes after sitting down and water wasn't even delivered.  Plenty of ope
Après :     ['service', 'minute', 'sit', 'water', 'deliver', 'table', 'happen', 'try']

Avant :     Went last night because of the reviews. Our service was terrible. Took 15 minutes for a server to co
Après :     ['night', 'review', 'service_terrible', 'take', 'minute', 'server', 'come', 'want', 'leave', 'food']

Avant :     The food and service were equivalent... horrible. I was told that I'd get a 10% discount since I was
Après :     ['food', 'service', 'equivalent', 'tell', 'discount', 'stay', 'order', 'shrimp', 'way', 'presentation']

Avant :     The atmosphere is nice but the service was lacking/non-existent. Went in with a party of five and it
Après :     ['atmosphere', 'service', 'lack', 'existent', 'party', 'take', 'minute', 'meal', 'impress', 'coke']

Avant :     Great location, however draft beer I got was flat, so I asked for another one (different brand) and 
Après :     ['location', 'draft_beer', 'ask', 'brand', 'rib', 'meat', 'good', 'come']

Avant :     Tourist trap.  Don't eat here.  

We were a group of 6 people.  Four of our entrees came out togethe
Après :     ['tourist_trap', 'eat', 'group', 'people', 'entree', 'come', 'people', 'wait', 'minuet', 'blacken']

Avant :     My wife: Can I get an almond pretzel?

The cashier: No.........

......... We left...........
Après :     ['cashier', 'leave']

Avant :     Three chances and they are out! We tried to like this place as the location is easy and convenient. 
Après :     ['chance', 'try', 'place', 'location', 'bar', 'staff', 'dish', 'try', 'visit', 'write']

Avant :     I would give this place 0 stars if I could. We went during Sunday happy hour and I specifically aske
Après :     ['give', 'place', 'star', 'hour', 'ask', 'special', 'tell', 'brunch', 'special', 'come']

Avant :     This place is just awful. Great atmosphere, but food is just plain bad. I've given it too many tries
Après :     ['place', 'atmosphere', 'food', 'give', 'try']

Avant :     If you like really bad beer, this is the place for you.  I am not trying to be a beer snob, but it j
Après :     ['beer', 'place', 'try', 'beer', 'snob', 'food', 'comment', 'flatbread', 'pizza', 'avg']

Avant :     Food was ok.  Couldn't get our appetizer out until after our meal. Then it was wrong....  No manager
Après :     ['food', 'appetizer', 'meal', 'manager', 'return']

Avant :     The wait was very long to sit down, get order in, and get the food.  At the end of the day, the food
Après :     ['wait', 'sit', 'order', 'food', 'end', 'day', 'food', 'convenience', 'hotel', 'time']

Avant :     The staff deserve 4-5 stars. But they're closed randomly, and it's statring to deteriorate. Eat ther
Après :     ['staff', 'deserve_star', 'close', 'statre', 'eat', 'start', 'suck', 'art', 'gem', 'meremac']

Avant :     This place "runs" the monopoly snack bar at the Carondelet swimming pool, and does an absolutely TER
Après :     ['place', 'run', 'monopoly', 'snack', 'bar', 'carondelet', 'swimming', 'pool', 'job', 'close']

Avant :     I went and ordered food for take-out. I ordered a flat bread pizza and a piece of quiche. Things jus
Après :     ['order', 'food', 'take', 'order', 'bread', 'pizza', 'piece', 'quiche', 'thing', 'seem']

Avant :     Over priced steak house, service was excellent, but steaks were average, ordered the bone in strip f
Après :     ['price', 'steak', 'house', 'service', 'steak', 'order', 'bone', 'strip', 'wife', 'split']

Avant :     I concur with the other comments that this place is awful.   The service here was about as bad as I 
Après :     ['comment', 'place', 'service', 'see', 'food', 'arrive', 'send', 'course', 'turn', 'ordeal']

Avant :     The place looks great - like an 1800s bordello. But then the food came. 

We started with the cheesy
Après :     ['place', 'look', 'food', 'come', 'start', 'cheesy', 'garlic_bread', 'highlight', 'meal', 'start']

Avant :     Bland, probably what kinds think is amazing food but if you're going to go for an italian chain (and
Après :     ['bland', 'kind', 'think', 'food', 'chain', 'carrabba', 'worse', 'compare', 'trader', 'buy']

Avant :     Horrible service. Was asked by waiter to take my plate of food off his tray. We felt like a thorn in
Après :     ['service', 'ask', 'waiter', 'take', 'plate', 'food', 'tray', 'feel', 'thorn', 'side']

Avant :     Overall very disappointed with my meal, the Chicken Penne. Standard noodles, tasteless sauce, and cu
Après :     ['meal', 'chicken', 'penne', 'noodle', 'sauce', 'cube', 'pull', 'bag', 'top', 'wait']

Avant :     I Made reservations for 25 people for my daughter's birthday 2 weeks before the date. I called the d
Après :     ['make_reservation', 'people', 'daughter', 'birthday', 'week', 'date', 'call', 'day', 'let_know', 'come']

Avant :     An hour and a half after ordering we got cold food . If u like drinks bring some your glass will be 
Après :     ['hour_half', 'order', 'food', 'drink', 'bring', 'glass', 'check', 'order', 'tell', 'waiter']

Avant :     BAD experience from beginning to end.  Each time the server left the table, she was gone for 20 minu
Après :     ['experience', 'begin', 'end', 'time', 'server', 'table', 'minute', 'take', 'approach', 'introduce']

Avant :     12/20/2015

Long wait. Come to find out the restaurant was literally empty and chose to attend to a 
Après :     ['wait', 'come', 'find', 'restaurant', 'choose', 'attend', 'party', 'waiter', 'kitchen_back', 'excite']

Avant :     Pretty bland sauce and very high priced considering the poor quality. Ambience was great. Soup was f
Après :     ['sauce', 'price', 'consider', 'quality', 'ambience', 'soup', 'pasta', 'leave', 'service', 'chain']

Avant :     Walked in to get food to go. Hostess said to sit at the bar and we said we'd like a drink while we w
Après :     ['walk', 'food', 'hostess', 'say', 'say', 'drink', 'wait', 'husband', 'use', 'bathroom']

Avant :     This was like cafeteria or dorm food but without any of the flavor. Good staff though
Après :     ['cafeteria', 'dorm', 'food', 'flavor', 'staff']

Avant :     Took a group of four of us here about six months ago on a road trip to California, not happy to say 
Après :     ['take', 'group', 'month', 'road_trip', 'say', 'friend', 'complain', 'keep', 'eat', 'ignore']

Avant :     First time I went to Earl's new American kitchen I liked the food it was good wasn't great but it wa
Après :     ['time', 'kitchen', 'like', 'food', 'service', 'bar', 'care', 'bartender', 'try', 'time']

Avant :     The food tastes great but portions are small. First, we ordered fried calamari, which is always a sh
Après :     ['food', 'taste', 'portion', 'order', 'fry', 'appetizer', 'portion', 'mean', 'person', 'coarse']

Avant :     This place is just terrible .  Started off with Lobster Dumplings that tasted like they came out of 
Après :     ['place', 'start', 'lobster', 'dumpling', 'taste', 'come', 'buy', 'pork_belly', 'thing', 'think']

Avant :     Worst Steak 'n Shake on the south side, slow service, mediocre food. My burger was cold and my chili
Après :     ['steak_shake', 'side', 'service', 'food', 'burger', 'way', 'serve']

Avant :     How things have changed.  So I know competence, consistency and quality aren't hallmarks of fast foo
Après :     ['thing', 'change', 'know', 'competence', 'consistency', 'quality', 'hallmark', 'fast', 'food', 'restaurant']

Avant :     I have no idea what changed at all, maybe it's because I wasn't sitting at the bar, but oh my god it
Après :     ['idea', 'change', 'sit_bar', 'want', 'seat', 'bar', 'time', 'table', 'order', 'roll']

Avant :     You can enjoy sushi-like rice balls and rolls with vanilla saurce, typical Reno's imitation ping-pon
Après :     ['enjoy', 'rice', 'ball', 'roll', 'food', 'chef']

Avant :     My wife and I walked and stood there waiting for someone to notice... Hoping for real hibachi cookin
Après :     ['wife', 'walk', 'stand', 'wait', 'notice', 'hope', 'place', 'lack', 'appeal', 'ceiling']

Avant :     Bleh!! Their food is so gross if you order late and for pickup. I gave them more than one chance and
Après :     ['bleh', 'food', 'order', 'pickup', 'give_chance', 'regret']

Avant :     I have been to this Applebee's a dozen of times and had average service/food/etc. Recently myself an
Après :     ['applebee', 'dozen', 'time', 'service', 'food', 'friend', 'boneless_wing', 'experience', 'pain', 'stomach']

Avant :     Service is disgusting. Horrible experience. Bartender "T" was rude.  She gave us an attitude because
Après :     ['service', 'disgust', 'experience', 'bartender_rude', 'give', 'attitude', 'sit_bar', 'understand', 'look', 'grab']

Avant :     Long Island Iced Tea is a total fraud!! Watered down mix already prepared!! But, the bartender was e
Après :     ['island', 'ice_tea', 'fraud', 'water', 'mix', 'prepare', 'bartender', 'ton', 'taco']

Avant :     I wanted to give Aston pizza a chance to try out the cheese steak and cheese fries,  their bread for
Après :     ['want', 'give', 'pizza', 'chance', 'try', 'cheese_steak', 'cheese', 'fry', 'bread', 'cheese_steak']

Avant :     Being Salvadorian I was very excited to see another place making pupusas. The place is very small ve
Après :     ['see', 'place', 'make', 'pupusa', 'place', 'miss', 'road', 'restaurant', 'staff', 'speak']

Avant :     So gotta give one star because we can't even rate the food, due to us not getting seated. We came in
Après :     ['give_star', 'rate', 'food', 'seat', 'come', 'dress', 'man', 'bar', 'manager', 'say']

Avant :     The bacon wrapped meatloaf tasted like it had been wrapped in icy hot. The Chicago dip was very blan
Après :     ['bacon', 'wrap', 'meatloaf', 'taste', 'wrap', 'cook', 'open', 'location', 'cook', 'location']

Avant :     Wondering if this place is going out of business?  None of the beers or wine that we wanted were sto
Après :     ['wonder', 'place', 'business', 'none', 'beer', 'wine', 'want', 'stock', 'come', 'pre']

Avant :     The meal I had was fine, but the service was slow. A few other members of the party were very disple
Après :     ['meal', 'service', 'member', 'displease', 'entree', 'fry_soggy', 'bread', 'waitress', 'food', 'sub']

Avant :     I have been to this place many times and have nothing but great service and food.  We went there a w
Après :     ['place', 'time', 'service', 'food', 'week', 'wait_minute', 'see', 'waiter', 'minute', 'water']

Avant :     This is the 2nd time I've been and I'm still left unimpressed. The menu items sound amazing and our 
Après :     ['time', 'leave', 'menu_item', 'sound', 'waitress', 'bit', 'regard', 'need', 'gluten', 'menu']

Avant :     1. Bad service
- all the waitresses were congregating by the cash register. not minding the place
- 
Après :     ['service', 'waitress', 'congregate', 'cash_register', 'mind', 'place', 'food', 'come', 'ask', 'condiment']

Avant :     Watch out when booking the large room. My party was told that our reserved room was double booked an
Après :     ['watch', 'book', 'room', 'party', 'tell', 'room', 'book', 'give', 'group', 'understand']

Avant :     Food and beer was great. Very dissatisfied with the service, sat at a table and waited 10 minutes to
Après :     ['food', 'beer', 'service', 'sit', 'table', 'wait_minute', 'serve', 'come', 'week', 'issue']

Avant :     I used to love this place. But we went in, there was around 6 of us. the waitress was "bitchy". Our 
Après :     ['use_love', 'place', 'waitress', 'group', 'expect', 'star', 'service', 'maintenance', 'doubt']

Avant :     Service was not that great.  Slow to fill drinks.  One meal in our party came out after some of us w
Après :     ['service', 'fill', 'drink', 'meal', 'party', 'come', 'eat', 'apology', 'give', 'tell']

Avant :     Drinking at the bar, i was sitting next to a person talking to a man behind the counter that apperar
Après :     ['drink', 'bar', 'sit', 'person', 'talk', 'man', 'counter', 'apperare', 'owner', 'support']

Avant :     I'm surprised by the high reviews for this place. Tucson must really be hurting for good breweries i
Après :     ['surprise', 'review', 'place', 'hurt', 'brewery', 'place', 'none', 'beer', 'hefeweizen', 'raspberry']

Avant :     Food was very well prepared here...the only reason they are getting two stars.  The service SUCKED. 
Après :     ['food', 'reason_star', 'service', 'suck', 'server', 'ask', 'walk', 'need', 'stop', 'hear']

Avant :     Great food, okay beer, poor service.
Why a craft brewery serves beer in freezing/frosted is beyond m
Après :     ['food', 'beer', 'service', 'craft', 'brewery', 'serve', 'beer', 'freezing', 'frost', 'change']

Avant :     I'd go with 0 stars if I could. Absolutely the worst meal I've had in years. The food was not to ord
Après :     ['star', 'meal', 'year', 'food', 'order', 'deliver', 'management', 'refuse', 'make_effort', 'make']

Avant :     just got a meal from them.  I never write reviews but this food is so bad I cant eat anymore.   I go
Après :     ['meal', 'write_review', 'food', 'eat', 'hamburger', 'taste', 'meat', 'buy', 'wife', 'meal']

Avant :     2 hour delivery time and it's still not here. Considering this is less than 5 miles away, never orde
Après :     ['hour', 'delivery', 'time', 'consider', 'mile', 'order']

Avant :     The worst. I placed an order for delivery online and it had been over an hour so I called to check. 
Après :     ['place', 'order', 'delivery', 'hour', 'call', 'check', 'say', 'minute', 'turn', 'call']

Avant :     Never had a problem with eating at wuffle house till today. The staff was just so rude and disrespec
Après :     ['problem', 'eat', 'today', 'staff_rude', 'sit', 'min', 'ask', 'service', 'server', 'attitude']

Avant :     Very slow service. Bacon undercooked.  Servers were talking and laughing more than working. Filthy p
Après :     ['service', 'bacon', 'undercooke', 'server', 'talk', 'laugh', 'work', 'place']

Avant :     I came here once & never again! The girls working know nothing about the food & basically shove a me
Après :     ['come', 'girl', 'work', 'know', 'food', 'shove', 'menu', 'hand', 'impress', 'food']

Avant :     Friend picks me up and I say lets get a Philly Cheesesteak. My first ever.
One customer and two work
Après :     ['friend', 'pick', 'say', 'let', 'cheesesteak', 'customer', 'worker', 'condiment', 'pepper', 'pick']

Avant :     Use to be a great alternative for the top steak spots... it has since taken on new ownership and sin
Après :     ['use', 'steak', 'spot', 'take', 'ownership', 'take', 'drop', 'quality', 'taste', 'place']

Avant :     Just ok maybe......to much competition to be a maybe......I guess as long as the bars on the Ave are
Après :     ['competition', 'guess', 'bar', 'ave', 'survive']

Avant :     Absolutely the worse cheesesteak in or around Philadelphia.  They should send their cooks (if they a
Après :     ['cheesesteak', 'send', 'cook', 'restaurant', 'learn', 'cook', 'steak']

Avant :     They cheesesteak here are slice very thin but it only 7 slices. some how always get the last slice s
Après :     ['cheesesteak', 'slice', 'slice', 'slice', 'meal', 'buck', 'cheesesteak', 'fire', 'soda', 'price']

Avant :     Went in to eat and the shells were cold and there was little meat to the tacos.  My advice:  Go the 
Après :     ['eat', 'shell', 'meat', 'taco', 'advice', 'avon']

Avant :     This use to be the place to order from. It's a shame they sold it and tried to keep the same recipes
Après :     ['use', 'place', 'order', 'shame', 'sell', 'try', 'keep', 'recipe', 'fail', 'greasy']

Avant :     I give it a 2; 1 point for being open 24 hours and another point for not being a chain restaurant.  
Après :     ['give', 'point', 'hour', 'point', 'chain', 'restaurant', 'food', 'order', 'denny', 'waffle']

Avant :     The pho is abysmal. There is no flavor to it; it literally tastes like boiled water. The noodles wer
Après :     ['pho', 'flavor', 'taste', 'boil', 'water', 'noodle', 'clump', 'bowl', 'mean', 'make']

Avant :     No no no so wrong, noodles were clumped together, broth had not impactful or lasting flavor.
Après :     ['noodle', 'clump', 'last', 'flavor']

Avant :     The service was wonderful. There is not a great selection of vegetarian options in fact there are no
Après :     ['service', 'selection', 'option', 'fact', 'none', 'friend', 'pho', 'noodle', 'husband', 'taste']

Avant :     This noon time, I have a bowl of noodles in Phamous Cafe. I ate out a hair about 2 inches long. I pi
Après :     ['noon', 'time', 'bowl', 'noodle', 'eat', 'hair', 'inch', 'pick', 'put', 'table']

Avant :     We don't eat here often as it is over priced for what you really get. I tried this store last night 
Après :     ['eat', 'price', 'try', 'store', 'night', 'like', 'server', 'tikel', 'make', 'dinner']

Avant :     I don't really know what happened to this place, came in and service was not as great as it used to 
Après :     ['know', 'happen', 'place', 'come', 'service', 'use', 'food', 'use', 'waiter', 'station']

Avant :     Don't come here for a birthday celebration. This is how your table will look while you are eating yo
Après :     ['come', 'birthday', 'celebration', 'table', 'look', 'eat', 'dessert', 'make', 'experience', 'service']

Avant :     Food is over priced and average tasting at best. The salad was just thrown together and had far to m
Après :     ['food', 'price', 'taste', 'salad', 'throw', 'dressing', 'make', 'fear', 'price', 'expect']

Avant :     Food is decent. But I had to sit outside because the music was so loud inside I felt like I was a ni
Après :     ['food', 'sit', 'music', 'feel', 'night', 'club', 'selection', 'sauce', 'staff']

Avant :     Terrible Mexican Food!   This place is a HUGE let-down. Bland tasteless guacamole, salsa tastes like
Après :     ['food', 'place', 'let', 'bland', 'guacamole', 'taste', 'like', 'queso', 'fountain_drink', 'soda']

Avant :     Meh it was okay. 

The girl behind the counter was not helpful. I asked what was in the burrito beca
Après :     ['meh', 'girl_counter', 'ask', 'point', 'sign', 'register', 'say', 'head', 'sunshine', 'read']

Avant :     Food is average in the restaurant but recently ordered via Uber Eats and the food was almost inedibl
Après :     ['food', 'restaurant', 'order', 'uber_eat', 'food', 'chip', 'soggy', 'chicken_quesadilla', 'burn', 'chicken']

Avant :     The first time I had food delivered from here I ordered the margherrita pizza and it was delicious!!
Après :     ['time', 'food', 'deliver', 'order', 'wait', 'order', 'time', 'order', 'pizza', 'chew']

Avant :     Great location and outdoor seating is fantastic. Food is not remarkable and service the night we wer
Après :     ['location', 'seat', 'food', 'service', 'night', 'app', 'come', 'cocktail', 'describe', 'taste']

Avant :     I will never visit again.   The restaurant"s valet took 60 minutes (a full hour) to bring my car.  W
Après :     ['visit', 'restaurant', 'valet', 'take', 'minute', 'hour', 'bring', 'car', 'want', 'eat']

Avant :     I gave (2) stars because for the price of dinner I've had much better.  The best thing is the servic
Après :     ['give_star', 'price', 'dinner', 'thing', 'service', 'ambiance', 'food', 'overrate']

Avant :     4-17-13
What a major disappointment. My wife and I looked forward to this highly recommended restaur
Après :     ['disappointment', 'wife', 'look', 'recommend', 'restaurant', 'worse', 'need', 'iphone', 'read', 'menu']

Avant :     A huge disappointment. My yogurt tasted like rotten cheese. The lettuce in the salad was old and tas
Après :     ['disappointment', 'yogurt', 'taste', 'cheese', 'lettuce', 'salad', 'taste', 'dog', 'cook', 'girl']

Avant :     Literally the worst burger, and service I have ever had in my life, avoid this place at all costs 44
Après :     ['burger', 'service', 'life', 'avoid', 'place', 'cost', 'restaurant', 'owner', 'staff_rude', 'arrogant']

Avant :     The food at Red Piano is ok, but definitely over priced. I had the filet mignon, the steak was fine 
Après :     ['food', 'piano', 'price', 'steak', 'potato', 'sprout', 'come', 'consensus', 'pay', 'food']

Avant :     Seriously, this restaurant may be the worst in Edmonton.

The time I went, I looked inside and there
Après :     ['restaurant', 'look', 'table', 'lunch', 'time', 'course', 'host', 'hostess', 'stand', 'talk']

Avant :     Really disappointed - we were told we would be on a 45 min wait and after approaching the hostess 75
Après :     ['disappoint', 'tell', 'min', 'wait', 'approach', 'tell', 'next', 'min', 'sit', 'wait']

Avant :     My customer experience was Milktumid, or perhaps I can best describe it as Milkturgid, but please do
Après :     ['customer', 'experience', 'milktumid', 'describe', 'milkturgid', 'favor', 'milk', 'customer', 'experience', 'show']

Avant :     I heard of this place through a friend who is a chef. I was told the food was amazing, and the atmos
Après :     ['hear', 'place', 'friend', 'chef', 'tell', 'food', 'atmosphere', 'die', 'time', 'life']

Avant :     This place takes hipster to whole new level.  It's just too over the top in terms of breakfast offer
Après :     ['place', 'take', 'level', 'term', 'breakfast', 'offering', 'honor', 'food', 'exception', 'offer']

Avant :     Our  server was awesome and that is the good news. My scrambled eggs & fried bacon was less than des
Après :     ['server', 'news', 'scramble_egg', 'fry', 'bacon', 'think', 'fry', 'bacon', 'make', 'salt']

Avant :     Food was good. I had a decent breakfast but nothing to write home about. Other dish at the table had
Après :     ['food', 'breakfast', 'write_home', 'dish', 'table', 'flavor', 'lamb', 'burger', 'patty', 'cook']

Avant :     Thank you, Milktooth, for wasting my time on Mother's Day morning. This is the third time that I'm c
Après :     ['thank', 'milktooth', 'waste_time', 'morning', 'time', 'come', 'breakfast', 'time', 'disappoint', 'food']

Avant :     Trendy place. The food is great but when asked to removed eggs from a burger they said "they aren't 
Après :     ['place', 'food', 'ask', 'egg', 'burger', 'say', 'allow', 'make', 'alteration']

Avant :     Opens at 7am but doesn't cook food till 9am?! The food was okay, definitely not 'amazing'. I have ha
Après :     ['open', 'cook', 'food', 'food', 'food', 'place', 'price', 'portion', 'price', 'overrate']

Avant :     Strange restaurant. Strange food. Seems like they try too hard to be different or unique. An experie
Après :     ['restaurant', 'food', 'seem', 'try', 'experience', 'back', 'service', 'people']

Avant :     Warning - they only serve coffee and pastries until 9 am then full breakfast menu.  Fix your on line
Après :     ['warn', 'serve', 'coffee', 'pastry', 'breakfast', 'menu', 'fix', 'line', 'information', 'avoid']

Avant :     Our waitress wasn't very nice. I didn't see her smile once. I couldn't make modifications to my orde
Après :     ['waitress', 'see', 'smile', 'make', 'modification', 'order', 'think', 'understand', 'service', 'industry']

Avant :     None of the things I heard that was so great here were even on the menu. This place was way over hyp
Après :     ['none', 'thing', 'hear', 'menu', 'place', 'way', 'hype', 'thing', 'ice', 'coffee']

Avant :     Great concept, but terrible execution. This is what would happen if I opened a restaurant, where the
Après :     ['concept', 'execution', 'happen', 'open', 'restaurant', 'food', 'time', 'table', 'food', 'wait']

Avant :     Very complicated menu for a gigantic peace of bread with no flavor at the end... not impressed.
Après :     ['menu', 'peace', 'bread', 'flavor', 'end', 'impress']

Avant :     After reading reviews we headed for Herbie's for brunch yesterday. 'Sorry to say it was a big disapp
Après :     ['read_review', 'head', 'herbie', 'brunch', 'yesterday', 'say', 'disappointment', 'wait_minute', 'place', 'drink']

Avant :     The owner of this restaurant-- Aaron Teitelbaum-- essentially accused me of lying about whether a zu
Après :     ['owner', 'restaurant', 'accuse', 'lie', 'potato', 'pancake', 'include', 'reason', 'lie', 'spend']

Avant :     Food was okay at best.
Waiter was Missing most of the time.
Dessert was disgusting.
Bar/Drinks are f
Après :     ['food', 'waiter', 'miss', 'time', 'dessert', 'bar', 'drink', 'fun', 'hopping']

Avant :     Went for Sunday brunch, it took an hour and a half for them to bring us our food after we ordered. I
Après :     ['brunch', 'take', 'hour_half', 'bring', 'food', 'order', 'stuff', 'toast', 'day', 'toast']

Avant :     I got about 5 bites of meat and a sh*t load of mashed potatoes on the side. Nice atmosphere, kinda p
Après :     ['bite', 'meat', 'load', 'potato', 'side', 'atmosphere', 'lot', 'food', 'opinion', 'price']

Avant :     no bueno...annoyed I couldn't get any service and the prices are a joke.
Après :     ['bueno', 'service', 'price', 'joke']

Avant :     Great location but it seems as though they've already turned into a nicer version of hooters. Too ma
Après :     ['location', 'seem', 'turn', 'version', 'hooter', 'guy', 'bartender', 'drink', 'make', 'skill']

Avant :     Made a reservation a week in advance - requesting outdoor seating. This reservation was confirmed ag
Après :     ['make_reservation', 'week', 'advance', 'request', 'seating', 'reservation', 'confirm', 'night', 'reservation', 'carla']

Avant :     The only great thing was the view! The food was okay! Nothing special. They called last call an hour
Après :     ['thing', 'view', 'food', 'call', 'call', 'hour', 'minute', 'close', 'server', 'server']

Avant :     How did this restaurant disappoint, let me count the ways. First, they "lost" our name on the wait l
Après :     ['restaurant', 'disappoint', 'let', 'count', 'way', 'lose', 'name', 'wait', 'list', 'start']

Avant :     Good but pricey cocktails; disappointing and pricey food. Like other Yelpers, I agree the location i
Après :     ['cocktail', 'disappoint', 'food', 'yelper', 'agree', 'location', 'fun', 'spot', 'drink', 'food']

Avant :     Ambience great. Selection of craft beers was outstanding (Even had Proof brewing out of Tallahassee)
Après :     ['ambience', 'selection', 'craft_beer', 'proof', 'brewing', 'wing']

Avant :     Best view and atmosphere in tampa.  Incredibly bad service and average food.  Hopefully just working
Après :     ['view', 'atmosphere', 'tampa', 'service', 'food', 'work', 'kink', 'visit', 'continue', 'experience']

Avant :     15 minutes plus wait for a drink. Great location but it seems as though they've already turned into 
Après :     ['minute', 'wait', 'drink', 'location', 'seem', 'turn', 'version', 'hooter', 'guy', 'bartender']

Avant :     Decent atmosphere to watch sports, and is on the water. However, the food is expensive and not good.
Après :     ['atmosphere', 'watch_sport', 'water', 'food', 'good', 'back', 'drink', 'game']

Avant :     Pros:  good location on the water. Nice atmosphere. 

Cons: awful food.  Below sports bar quality.  
Après :     ['pro', 'location', 'water', 'atmosphere', 'con', 'food', 'sport_bar', 'quality', 'service', 'overprice']

Avant :     Bad food in a city full of great food. We were starving and our travel friend forced us in here. By 
Après :     ['food', 'city', 'food', 'starve', 'travel', 'friend', 'force', 'time', 'read', 'yelp_review']

Avant :     Stopped in today for a quick bite and to use the restroom.  I hate to be negative but oh my god the 
Après :     ['stop', 'today', 'bite', 'use_restroom', 'hate', 'lobby', 'man', 'restroom', 'order', 'order']

Avant :     Wow what can I say this kfc Taco Bell combo is the worst. I wanted some tacos to take home and they 
Après :     ['say', 'combo', 'want', 'taco', 'take', 'home', 'beef', 'world', 'none', 'table']

Avant :     Traditionally I have no issue here but my last two visits haven't been great. I ordered sofritas on 
Après :     ['issue', 'visit', 'order', 'lunch', 'drive', 'office', 'eat', 'notice', 'beff', 'drive']

Avant :     I arrived at 6:30. Waited in a 25 minute line. Barely any chicken in my salad bowl and the chips wer
Après :     ['arrive', 'wait_minute', 'line', 'chicken', 'salad', 'bowl', 'chip', 'disappointment']

Avant :     We attended a pharmaceutical dinner several months ago and the food was rather disappointing. Most o
Après :     ['attend', 'pharmaceutical', 'dinner', 'month', 'food', 'dish', 'fusion', 'style', 'serve', 'course']

Avant :     They CANNOT get an order right to save their business. Too many chances and too many failures. I won
Après :     ['order', 'save', 'business', 'chance', 'failure']

Avant :     Their food is good but their clientele is something that will keep me from never going back. I went 
Après :     ['food', 'clientele', 'keep', 'family', 'day', 'lunch', 'bi', 'family', 'look', 'menu']

Avant :     Live right down the road and saw the big "grouper sandwich" lettering on the window. I'm a sucker fo
Après :     ['live', 'road', 'see', 'sandwich', 'lettering', 'window', 'sucker', 'fish', 'sandwich', 'serve']

Avant :     Very disappointed. We went to eat  at 2:15 on Saturday and were told the kitchen closed at 2. Their 
Après :     ['eat', 'tell', 'kitchen', 'website', 'say', 'day', 'website', 'claim', 'bit', 'place']

Avant :     Terrible service.  I ordered take out and after 25 minutes I had to cancel my order.  I got my money
Après :     ['service', 'order', 'take', 'minute', 'cancel_order', 'money', 'watch', 'food', 'come', 'kitchen']

Avant :     I stopped in yesterday to ODB's new location after a procedure @ Cottage Hospital. I wasn't allowed 
Après :     ['stop', 'yesterday', 'location', 'procedure', 'cottage', 'hospital', 'allow', 'eat', 'day', 'procedure']

Avant :     Been wanting to try Our Daily Bread since it appeared on a nearby corner. Was disappointed with my f
Après :     ['wanting', 'try', 'bread', 'appear', 'corner', 'disappoint', 'visit', 'place', 'bit', 'overprice']

Avant :     stopped by hoping to find a selection of breads of different grains and found the basics. The place 
Après :     ['stop', 'hope', 'find', 'selection', 'bread', 'grain', 'find', 'basic', 'employee', 'look']

Avant :     It was nice that they offered a veggie benedict and that they offered it on top of gluten free toast
Après :     ['offer', 'veggie', 'offer', 'top', 'gluten', 'toast', 'think', 'smother', 'hollandaise', 'poach']

Avant :     Stopped in for a breakfast sandwich and was greeted by the same unhappy lady at the counter as last 
Après :     ['stop', 'breakfast', 'sandwich', 'greet', 'lady', 'counter', 'time', 'ask', 'breakfast', 'sandwich']

Avant :     The bar itself is beautiful.

We looked at a menu..
Can we try the wheel of happenstance?
- We don't
Après :     ['bar', 'look', 'menu', 'try', 'wheel', 'happenstance', 'try', 'gummis', 'buy', 'postcard']

Avant :     Eh. Cool ambiance. Rude bartender. Okay drinks... maybe go on a busier night........ maybe.
Après :     ['ambiance', 'bartender', 'drink', 'night']

Avant :     If I could give NO STARS I would.  We order iced tea & asked for sweetener & lemons- the waitress co
Après :     ['give_star', 'order', 'tea', 'ask', 'sweetener', 'lemon', 'waitress', 'come', 'half', 'open']

Avant :     Hubby and I were eager to try this establishment due to a rave review from some close friends. We de
Après :     ['hubby', 'try', 'establishment', 'rave_review', 'friend', 'decide', 'date', 'night', 'give', 'try']

Avant :     I was in the mood for a quick bite at McDonald's.
I thought this was the place to go. I went to this
Après :     ['mood', 'bite', 'mcdonald', 'think', 'place', 'mcdonald', 'fry', 'soda', 'cost', 'buck']

Avant :     Can't believe this pit stays open. Like walking into a Fellini set. Disgusting. Dirty.
Après :     ['believe', 'pit', 'stay', 'walk', 'fellini', 'set', 'dirty']

Avant :     WORSE McDonald EVER. Rude employees except the security, I don't think the cashier knows what she wa
Après :     ['mcdonald', 'employee', 'security', 'think', 'cashier', 'know', 'change', 'hash_brown', 'cook', 'chicken']

Avant :     Stay away, filthiest restaurant I've ever been in!
Après :     ['stay', 'restaurant']

Avant :     They limit your drinks not only that but bought a jalapeño mcchicken isn't it suppose to have jalape
Après :     ['limit', 'drink', 'buy', 'suppose', 'fry']

Avant :     This is hands down the worst McDonalds I have ever been to. While I do not fault the establishment f
Après :     ['hand', 'mcdonald', 'fault', 'establishment', 'character', 'hang', 'give', 'consider', 'location', 'fault']

Avant :     Quick service but wtf is the dirtiest grossest place to sit or lean everything is broken and dirty t
Après :     ['service', 'place', 'sit', 'lean', 'break', 'pee', 'floor', 'furniture', 'fall']

Avant :     While the location is convenient and near the casinos, This is absolutely the worst McDonald I have 
Après :     ['location', 'casino', 'mcdonald', 'location', 'run', 'believe', 'line', 'minute', 'place', 'order']

Avant :     If I could give no stars I would. 56 minutes of an order and then questioned on why I wanted my fuck
Après :     ['give_star', 'minute', 'order', 'question', 'want', 'money', 'time', 'month', 'time', 'management']

Avant :     This a hangout for homeless bums and druggies. Panhandlers stand around in front of the store mgt. d
Après :     ['hangout', 'bum', 'druggie', 'panhandler', 'stand', 'store', 'mgt', 'stop', 'casino', 'avoid']

Avant :     The food is great, the service is spot on.   But I refuse to come back.  The place smells like farts
Après :     ['food', 'service', 'spot', 'refuse', 'come', 'place', 'smell', 'fart']

Avant :     The worst! Filled with homeless people. So, they treat everyone like homeless. Very rude service! Ev
Après :     ['fill', 'people', 'treat', 'service', 'pay', 'customer']

Avant :     its Mcdonalds.....the staff was friendly and the order was correct, thats about all you could review
Après :     ['mcdonald', 'staff', 'order', 'review', 'mcd', 'note', 'part', 'town', 'life', 'hang']

Avant :     I beg of you. If you're reading this DO NOT EAT HERE. 

Waited an hour and a half since they forgot 
Après :     ['beg', 'reading', 'eat', 'wait', 'hour_half', 'forgot', 'order', 'manager', 'come', 'talk']

Avant :     Worst pizza I have had in a while.
Tasted and looked like a repackaged Domino's pizza.
Go anywhere e
Après :     ['pizza', 'taste', 'look', 'repackage', 'domino', 'pizza', 'sausage', 'look', 'guinea', 'pig']

Avant :     The food was decent but there wasn't much meat! Usually a philly has meat falling out the bread...NO
Après :     ['food', 'meat', 'meat', 'fall', 'bread', 'season', 'fry', 'service', 'ask', 'like']

Avant :     The service was terrible here and I would not recommend it. The girl at the register threw out food 
Après :     ['service_terrible', 'recommend', 'girl', 'register', 'throw', 'food', 'counter', 'find', 'piece', 'hair']

Avant :     Food was awful.  We sat down and waited for everything.  Our waiter left in the middle of the servic
Après :     ['food', 'wait', 'waiter', 'service', 'take', 'minute', 'restaurant', 'experience']

Avant :     There was a roach that crawled behind my shoulder on the seat. We killed it with a napkin and we wer
Après :     ['crawl', 'shoulder', 'seat', 'kill', 'know', 'thing', 'storm', 'come', 'receive', 'food']

Avant :     I've been here a few times, tried it one more time. Basically the food tastes like fast food of brea
Après :     ['time', 'try', 'time', 'food', 'taste', 'food', 'breakfast', 'impress', 'service', 'mediocre']

Avant :     I'm an old fashion girl that really appreciates good customer service. It's very hard to find now a 
Après :     ['fashion', 'girl', 'appreciate', 'customer_service', 'find', 'day', 'job', 'welcome', 'establishment', 'village']

Avant :     My sweet husband and I ate at Village Inn this morning and we've been ill since lunchtime. Food pois
Après :     ['husband', 'eat', 'village', 'morning', 'food_poison', 'village', 'list', 'eat', 'risk']

Avant :     I've eaten at this restaurant several times each time it has progressively gotten worse. This is no 
Après :     ['eat', 'restaurant', 'time', 'time', 'exaggeration', 'server', 'thing', 'pie', 'cook', 'site']

Avant :     I went once and wont go back.  Nothing was absolutely terrible about this place, but it wasnt very g
Après :     ['back', 'place', 'pack', 'roll', 'rice', 'lack', 'personality']

Avant :     I ordered online through GrubHub a Spicy Chicken sandwich instead somehow they got my order wrong an
Après :     ['order', 'chicken', 'sandwich', 'order', 'wrong', 'receive', 'cajun', 'sandwich', 'understand', 'order']

Avant :     I ordered a sandwich (amongst other things) from them.  Almost no chicken in the sandwich.  I called
Après :     ['order', 'sandwich', 'thing', 'chicken', 'sandwich', 'call', 'manager', 'say', 'see', 'sandwich']

Avant :     Are trip didn't start well when walking in and a lady was returning a pizza. She claimed It was the 
Après :     ['trip', 'start', 'walk', 'lady', 'return', 'pizza', 'claim', 'pizza', 'fry', 'taste']

Avant :     Unfortunately the pizza here was definitely not fresh. It was a soggy pre-frozen pie. I can't speak 
Après :     ['pizza', 'soggy', 'pie', 'speak', 'food', 'pizza', 'seem', 'make', 'sign', 'freeze']

Avant :     Nothing great about this place. Hit up one of the other 100 pizza places on the ave. The food is med
Après :     ['place', 'hit', 'pizza', 'place', 'ave', 'food']

Avant :     What Daily DID well (and I say DID because they DON'T anymore), was to provide a consistently good c
Après :     ['say', 'provide', 'cafeteria_style', 'buffet', 'portion', 'food', 'caesar', 'wife', 'need', 'pick']

Avant :     Ruined our Mother's Day. We had 4 young children, adults from out of town and a reservation. We arri
Après :     ['ruin', 'child', 'adult', 'town', 'reservation', 'arrive', 'time', 'tell', 'lot', 'line']

Avant :     New format! Full service! It was supposed to be the same menu? The only thing that was familiar were
Après :     ['format', 'service', 'suppose', 'menu', 'thing', 'type', 'food', 'order', 'cheeseburger', 'mushroom']

Avant :     Probably my least favorite Pho spot in the country thus far, and I travel ALOT.... the broth was off
Après :     ['pho', 'spot', 'country', 'travel', 'alot', 'broth', 'point', 'tasting', 'bowl', 'pho']

Avant :     We had been here for dinner on a Friday, ordered vegetarian Pad Thai it was mediocre. The service is
Après :     ['dinner', 'order', 'service', 'place', 'vegetarian', 'option_limit']

Avant :     Absolutely terrible food. If anyone has ever had Chinese food they will not be a able to eat this fo
Après :     ['food', 'food', 'eat', 'half', 'cook', 'half', 'know', 'describe', 'egg_roll', 'fry_rice']

Avant :     I ordered off Skip the Dishes and it was over an hour late. The fault was 100% with the restaurant a
Après :     ['order', 'skip', 'dish', 'hour', 'fault', 'restaurant', 'keep', 'give', 'skip', 'dish']

Avant :     Email from The Melting Pot received today:

Dear Loyal Club Fondue Member,
 
We regret to announce T
Après :     ['email', 'melt', 'pot', 'receive', 'today', 'club', 'fondue', 'member', 'regret', 'announce']

Avant :     Long wait times and TERRIBLE service. Gave them chance after chance to impress us, they failed every
Après :     ['wait', 'time', 'service', 'give_chance', 'chance', 'impress', 'fail', 'time']

Avant :     I hope this gets back to the owner because they have two restaurants here in Woodbury and I like to 
Après :     ['hope', 'owner', 'restaurant', 'support_business', 'town', 'pay', 'salad', 'restaurant', 'case', 'order']

Avant :     I ordered the mapo tofu dish that was listed as a vegetarian dish but it had pork in it. The girl di
Après :     ['order', 'tofu', 'dish', 'list', 'dish', 'pork', 'girl', 'give', 'refund', 'give']

Avant :     I am an Chinese student in ucsb. For me, the food here cannot be called "Chinese food". Moreover, th
Après :     ['student', 'food', 'call', 'food', 'service', 'wait', 'hour', 'meal', 'price', 'consider']

Avant :     Ridiculous ... the place is awful food that preys on poor college students nearby... anyone with a c
Après :     ['place', 'food', 'prey', 'college_student', 'car', 'yelp']

Avant :     The customer service here is TERRIBLE. The lady working the front acted irritated and ignored my que
Après :     ['customer_service', 'lady', 'work', 'front', 'act', 'ignore', 'question', 'phone', 'time', 'look']

Avant :     Did not have funny water that others seem to have. However, was not satisfied with my noodle. The sa
Après :     ['water', 'seem', 'noodle', 'sauce', 'noodle', 'premade', 'heat', 'chunk', 'noodle', 'seem']

Avant :     Walked in for a Saturday lunch. The two waiters were chatting away when we sat down. We waited two m
Après :     ['walk', 'waiter', 'chat', 'wait_minute', 'greet', 'give', 'menu', 'continue', 'ignore', 'walk']

Avant :     I really like the food but I feel like just because I'm not Chinese I can't seem to get the food on 
Après :     ['food', 'feel', 'seem', 'food', 'time', 'fact', 'people', 'food', 'help', 'fact']

Avant :     Do not go to this restaurant. I have experienced bad service before, but this place is on another le
Après :     ['experience', 'service', 'place', 'level', 'awfulness', 'wait_minute', 'order', 'begin', 'wait_minute', 'food']

Avant :     from a Chinese: this place is incredible horrible. The service today was the worst i ever seen in my
Après :     ['place', 'service', 'today', 'see', 'life']

Avant :     My shrimp chow mein literally had about 3 pieces of really tiny shrimp. This other noodle dish I ord
Après :     ['piece', 'shrimp', 'noodle', 'dish', 'order', 'think', 'call', 'bite', 'throw', 'bleh']

Avant :     This restaurant is a mess that only one chief is actually cooking. Waiting for 40mins for just one d
Après :     ['restaurant', 'mess', 'chief', 'cook', 'waiting', 'min', 'dish']

Avant :     Everything sucks, literally. The service was bad, we didn't even get water. The taste's bad. The cho
Après :     ['suck', 'service', 'water', 'taste', 'chopstick', 'disgust']

Avant :     Atrocious service. Worst service I've ever seen in a restaurant in Santa Barbara county, and I've li
Après :     ['service', 'service', 'see', 'restaurant', 'live', 'year', 'food', 'quality', 'take', 'time']

Avant :     Horrible, old, cigarette smelly (even tho we requested smoke-free); room was never serviced during o
Après :     ['cigarette', 'request', 'smoke', 'room', 'service', 'night', 'stay', 'toilet', 'start', 'leak']

Avant :     Ill give a 1 star because the beer was cold other than that NADA! Tweekers everywhere rude dealers h
Après :     ['give_star', 'beer', 'tweeker', 'dealer', 'food', 'pit', 'boss', 'need', 'attitude', 'check']

Avant :     Dont go here to gamble! Dealers are not friendly or nice and you will never get a drink! They have o
Après :     ['gamble', 'dealer', 'drink', 'cocktail', 'waitress', 'casino', 'seem', 'experience', 'wait', 'casino']

Avant :     I have been platinum player for years there food is great customer service is good but gaming machin
Après :     ['platinum', 'player', 'year', 'food', 'customer_service', 'gaming', 'machine', 'joke', 'notice', 'couple_month']

Avant :     Where to start....

3 stars for the room rate.
2 stars for the hospitality
1 star for the rooms cond
Après :     ['start', 'star', 'room', 'rate', 'star', 'hospitality', 'star', 'room', 'condition', 'star']

Avant :     Went to western village with no money took money out of the atm machine.Then broke it down in their 
Après :     ['village', 'money', 'take', 'money', 'machine_break', 'cash', 'machine', 'give', 'dollar', 'bill']

Avant :     Worst meal we have ever had in Nashville. Duck risotto uneatable, bones in fish, brought a wrong mea
Après :     ['meal', 'duck', 'risotto', 'bone', 'fish', 'bring', 'meal', 'party', 'rude', 'waiter']

Avant :     I Didn't really care for my meal, but I still planned to pay for it anyway. It wasn't prepared poorl
Après :     ['care', 'meal', 'plan', 'pay', 'prepare', 'taste', 'waiter', 'ask', 'opinion', 'tell']

Avant :     The atmosphere is very nice but the waiter did not stop by my table once to ask how the food was.  A
Après :     ['atmosphere', 'waiter', 'stop', 'table', 'ask', 'food', 'sauce', 'burn', 'flavor', 'assistant']

Avant :     Do yourself a favor and never ever order the breaded chicken. It was served black, extremely overcoo
Après :     ['favor', 'order', 'bread', 'chicken', 'serve', 'point', 'start', 'question', 'meat', 'texture']

Avant :     Nothing special, service was mediocre at best, and they don't have ANY queso fresco! Just the runny 
Après :     ['service', 'mediocre', 'queso', 'stuff', 'people', 'give_star']

Avant :     Fish tacos were terrible. Not only did they smell like bad fish, it tasted even worse. I couldn't fi
Après :     ['smell', 'fish', 'taste', 'finish', 'item', 'write_home']

Avant :     Used to love this place but the service and fish isn't what it used to. Fish didn't taste fresh  and
Après :     ['use_love', 'place', 'service', 'fish', 'use', 'fish', 'taste', 'color', 'pale', 'shrimp']

Avant :     Overpriced!!!AYCE lunch heavy in the rice,chewy seaweed. PEPSI IS OVER $2!!!! FOR A SODA.. Staff was
Après :     ['overprice', 'lunch', 'rice', 'chewy', 'seaweed', 'staff', 'lunch']

Avant :     Place was dirty. The staff was very crazy. The girl mixed up our burritos as we told her what we wan
Après :     ['place', 'staff', 'girl', 'mix', 'tell', 'want', 'put', 'name', 'end', 'bite']

Avant :     The super felony and misdemeanor were the same size.  Regardless of what the walk shows.  Must be a 
Après :     ['felony', 'misdemeanor', 'size', 'walk', 'show', 'policy', 'ask', 'counter', 'person', 'say']

Avant :     Every time I go to Izzos on Vets and on the Westbank, the dining areas are filthy; none of the table
Après :     ['time', 'vet', 'westbank', 'dining_area', 'none', 'table', 'trash', 'flow', 'sauce', 'bar']

Avant :     Had the worst experience, and won't be returning. Izzo's used to be one of my favorites. Their nacho
Après :     ['experience', 'return', 'izzo', 'use', 'favorite', 'split', 'food', 'seem', 'portion', 'become']

Avant :     I have to say that I gave this place more than a fair shot to impress me... and it just didn't.  For
Après :     ['say', 'give', 'place', 'shot', 'impress', 'starter', 'kid', 'work', 'involve', 'hold']

Avant :     New owner has taken over in the past few months or and the smoothies took a drop in quality. My boba
Après :     ['owner', 'take', 'month', 'smoothie', 'take', 'drop', 'quality', 'boba', 'tea', 'pearl']

Avant :     I've been to many boba houses all over the country and all over the world. This does not do true bob
Après :     ['boba', 'house', 'country', 'world', 'justice', 'boba', 'way', 'drink', 'order', 'cleanliness']

Avant :     Came here late (9:30) for dinner after a long day at work. The place was totally empty and the staff
Après :     ['come', 'dinner', 'day', 'work', 'place', 'staff', 'try', 'keep', 'way', 'clean']

Avant :     Burgers were good - not great.  Fries are ok at best but they give you a very large portion for the 
Après :     ['burger', 'fry', 'give', 'portion', 'price', 'pay', 'burger', 'pay', 'restaurant', 'burger']

Avant :     I can't believe out of 5 Guys, not one one them had the guts to speak up an say "These buns are terr
Après :     ['believe', 'guy', 'gut', 'speak', 'say', 'bun']

Avant :     If you like and enjoy lots of sodium and grease this is your place. I'm not sure but it seems they m
Après :     ['enjoy', 'lot', 'sodium', 'grease', 'place', 'seem', 'dip', 'rate', 'flavor', 'fill']

Avant :     This place is terrible. Terrible service, terrible food, and the place is dirty beyond reason.  Real
Après :     ['place', 'service', 'food', 'place', 'reason', 'hope', 'food_poisoning', 'eat', 'bet']

Avant :     Loud loud loud!

And the food sucks. They got new management not too long along, doubt they made an 
Après :     ['food', 'suck', 'management', 'make', 'improvement']

Avant :     Long wait for mediocre food considering place was empty on a Sunday afternoon. Garlic shrimp flatbre
Après :     ['wait', 'food', 'consider', 'place', 'afternoon', 'flatbread', 'bread', 'shrimp', 'blacken', 'crab_leg']

Avant :     Much ballyhooed, but not that great. Definitely head to Splash in Lutz instead.
Après :     ['head', 'splash', 'lutz']

Avant :     I ordered the blackened chicken flatbread and it was just disgusting! The cheese was congealed and t
Après :     ['order', 'chicken', 'flatbread', 'cheese', 'congeal', 'taste', 'rubbery', 'gamey', 'microwave', 'try']

Avant :     Food was amazing! Drinks were awesome! Compliments to the chef and the bartenders. However, the serv
Après :     ['food', 'drink', 'compliment', 'chef', 'bartender', 'service', 'waitress', 'make', 'meal', 'hour']

Avant :     Oh, Ballyhoo.  We want to like you!  But everytime we eat here, you remind us why we stay away.  

S
Après :     ['ballyhoo', 'want', 'everytime', 'eat', 'remind', 'stay', 'service', 'hit', 'kitchen_back', 'look']

Avant :     I've been going for 4 years.   Slowly but surely my experiences have resulted in lower and lower sco
Après :     ['year', 'experience', 'result', 'score', 'time', 'year', 'time', 'poison', 'lot', 'place']

Avant :     Terribly slow service, wobbly table, and enough onions in everything we ordered to gag a buzzard on 
Après :     ['slow', 'service', 'table', 'onion', 'order', 'truck']

Avant :     The manager of this McDonalds needs to teach the help the Big Mac jingle....It starts with Two all b
Après :     ['manager', 'mcdonald', 'need', 'teach', 'help', 'start', 'beef', 'patty', 'freakin', 'idiot']

Avant :     Service was great. Food was the downfall here. My fries had obviously been sitting around for awhile
Après :     ['service', 'food', 'downfall', 'fry', 'sit', 'nugget', 'assume', 'star', 'service']

Avant :     This McDonalds doesn't honor the any drink for $1 on it's unsweet tea (which is undoubtedly cheaper 
Après :     ['mcdonald', 'honor', 'drink', 'tea', 'soda', 'make', 'stop', 'circle', 'street', 'pop']

Avant :     So disappointed with this place. Read great reviews and had high hopes. We ordered Singapore noodles
Après :     ['place', 'read_review', 'hope', 'order', 'ball', 'chicken', 'fry_rice', 'bland', 'taste', 'people']

Avant :     Wow 
Crappy even for crappy pizza , just get a frozen one
Couldn't even finish it and I smoked first
Après :     ['crappy', 'pizza', 'freeze', 'finish', 'smoke', 'pizza']

Avant :     How did this place get such high ratings on GrubHub? Bummed we went with this choice because so many
Après :     ['place', 'rating', 'grubhub', 'choice', 'shop', 'close', 'order', 'shame', 'pizza', 'flavor']

Avant :     We  have given up.  Served dirty wine glasses more than once.  Find out the keg is kicked after you 
Après :     ['give', 'serve', 'wine_glass', 'find', 'keg', 'kick', 'order', 'wait', 'beer', 'burger']

Avant :     Horrible bar service. Watched the bartender put a paper receipt right in someone's drink on purpose.
Après :     ['bar', 'service', 'watch', 'bartender', 'put', 'paper', 'receipt', 'drink', 'purpose', 'beer']

Avant :     Service was very slow. It was Labor Day and around 2:30. It is now 3:30 and our food JUST arrived. H
Après :     ['service', 'labor', 'day', 'food', 'arrive', 'ask', 'napkin_silverware', 'salad', 'send', 'lettuce']

Avant :     It is truly a shame! The food is great. I love their Chicago Style pizza and wings. The service is t
Après :     ['shame', 'food', 'love', 'style', 'pizza', 'wing', 'service', 'time', 'occurrence', 'service']

Avant :     We did not expect to see a fist fight(6/9/2018) among staff members. What's more is we were surprise
Après :     ['expect', 'see', 'fist', 'fight', 'staff_member', 'surprise', 'fire', 'spot', 'manager', 'find']

Avant :     Stopped in here on the way to Limerick to pick up my car.
My husband likes trying new places and I a
Après :     ['stop', 'way', 'pick', 'car', 'husband', 'like', 'try', 'place', 'accommodate', 'reviewer']

Avant :     Food took forever, then was cold. Bartender was slow as a turtle. We wont be going back anytime soon
Après :     ['food', 'take', 'bartender', 'turtle']

Avant :     Made the mistake of ordering online for pickup. Supposedly they will have your order ready at design
Après :     ['make_mistake', 'order', 'pickup', 'order', 'designate', 'time', 'need', 'park', 'spot', 'bring']

Avant :     Just had takeout from This UNOs and it was horrible. Pizza waaay over done and the crust tasted like
Après :     ['pizza_crust', 'taste', 'make', 'bisquick', 'wing', 'come', 'dipping_sauce', 'eat', 'open', 'think']

Avant :     I called and ordered a large cheese pizza to go one day after work, and unfortunately I didn't look 
Après :     ['call', 'order', 'cheese', 'pizza', 'day', 'work', 'look', 'leave', 'home', 'find']

Avant :     Waited for host and hostess to seat me.  Finally got seated at a table in bar.  Waited 15 to 20 minu
Après :     ['wait', 'host', 'hostess', 'seat', 'seat', 'table', 'bar', 'wait_minute', 'watch', 'bartender']

Avant :     My takoyaki balls were woefully inadequate: it was an undercooked, doughy gelatinous mass with exact
Après :     ['ball', 'doughy', 'mass', 'piece', 'octopus', 'hide', 'ball', 'order', 'rest', 'ball']

Avant :     I went to LA smoke on Thursday afternoon we had to poke rib coleslaw and fries when the rib came out
Après :     ['smoke', 'afternoon', 'coleslaw', 'fry', 'rib', 'come', 'time', 'send', 'come', 'taste']

Avant :     I take my previous review back,  the people that work here are morons. I ordered here twice in a wee
Après :     ['take', 'review', 'people_work', 'moron', 'order', 'week', 'food', 'deliver', 'time', 'inform']

Avant :     I enjoy your pizza very much but this might be worst stromboli I ever had...pepperoni is so thick ca
Après :     ['enjoy', 'pizza', 'stromboli', 'pepperoni', 'bite', 'greasy', 'disappoint']

Avant :     HORRIBLE...To say they forgot our order is an understatement, took over an hour +++ CRAZY...fries lo
Après :     ['say', 'forgot', 'order', 'understatement', 'take', 'hour', 'fry', 'look', 'taste', 'waitress']

Avant :     Came in with my family of three and ordered very simple entree's. The server was nice though had to 
Après :     ['come', 'family', 'order', 'server', 'tell', 'food', 'way', 'hour', 'notify', 'management']

Avant :     Only reason this place is getting two stars is because of their friendly service, everything else wa
Après :     ['reason', 'place', 'star', 'service', 'bullet', 'hole', 'window', 'table', 'seat', 'decompose']

Avant :     Horrible!!!!   Went out for a date night tonight  (Monday) and after waiting for more than 45 minute
Après :     ['date', 'night', 'tonight', 'wait_minute', 'appetizer', 'wing', 'consider', 'come', 'give', 'place']

Avant :     Horrible...MUST HAVE FORGOT OUR ORDER-to say took forever is an understatement ...Fries look GROSS a
Après :     ['forgot', 'order', 'say', 'take', 'fry', 'look', 'taste', 'menu', 'look', 'unappetizing']

Avant :     This place sucks. Went bc it's organic. Waited 25 minutes for 3 items. Only customers in the place. 
Après :     ['place', 'suck', 'wait_minute', 'item', 'customer', 'place', 'customer', 'come', 'food', 'look']

Avant :     Have been to this place a few times. The place is usually rather deserted. It's clean, and the serve
Après :     ['place', 'place', 'desert', 'server', 'food', 'suck', 'time', 'order', 'aloo', 'couple']

Avant :     Definitely should have read the reviews first.   Ordered $100 worth of pizza for a 13 year Olds birt
Après :     ['read_review', 'order', 'pizza', 'year', 'old', 'birthday', 'give', 'hour', 'notice', 'pizza']

Avant :     I now remember why we don't order from this Pizza Hut anymore - a year ago, it took two and a half h
Après :     ['remember', 'order', 'pizza_hut', 'year', 'take', 'hour', 'deliveryman', 'arrive', 'block', 'today']

Avant :     Delivery driver didn't bring entire delivery, said he would go back to store to grab it and didn't r
Après :     ['delivery_driver', 'bring', 'delivery', 'say', 'back', 'store', 'grab', 'return', 'store', 'refuse']

Avant :     Every time I order from here it's a little late, but today it was almost 2 hours late. They did call
Après :     ['time', 'order', 'today', 'hour', 'call', 'hour', 'say', 'come', 'minute', 'call']

Avant :     Guess I should've read the Yelp review first. I ordered a dinner box at 12:08pm. The notification I 
Après :     ['guess', 'read', 'yelp_review', 'order', 'dinner', 'box', 'receive', 'say', 'food', 'deliver']

Avant :     Not impressed at all. Sandwich bar was closed so I ordered a burrito. It was reheated in the microwa
Après :     ['impress', 'sandwich', 'bar', 'close', 'order', 'cost', 'buck', 'sort', 'cream', 'chicken']

Avant :     If I could give this place zero stars I would. The sushi is not worth the money, too fishy so it's o
Après :     ['give', 'place', 'star', 'sushi', 'money', 'time', 'feel', 'way', 'place', 'give']

Avant :     The wife and I wanted to get sushi, so we tried this place which is closer to our house than other s
Après :     ['want', 'try', 'place', 'restaurant', 'impression', 'place', 'mom_pop', 'place', 'chain', 'restaurant']

Avant :     I used to love George's Wings. I ordered from them this weekend and it has gone downhill. Their bone
Après :     ['use_love', 'wing', 'order', 'weekend', 'wing', 'piece_chicken', 'chicken', 'bread', 'drown_sauce', 'girl']

Avant :     I was not impressed with the wings at all. Very disappointing for a place with wings in its name. Th
Après :     ['wing', 'place', 'wing', 'name', 'cook', 'sauce', 'say', 'slimy']

Avant :     I've been several times and everything I've tried has been better than average.  Two stars because t
Après :     ['time', 'try', 'star', 'control', 'customer', 'pm', 'need', 'megaphone', 'hear', 'animal']

Avant :     So I've been to their Clearview location and love it but I was meeting friends downtown and decided 
Après :     ['clearview', 'location', 'love', 'meeting', 'friend', 'downtown', 'decide', 'stop', 'tell', 'minuite']

Avant :     While walking to Voodo's we were drawn in by the smell at Zea's. We should have kept going.
The food
Après :     ['walk', 'voodo', 'draw', 'smell', 'zea', 'keep', 'food', 'dinner', 'come', 'waiter']

Avant :     This used to be my favorite "chain" restaurant in the city and I still love their corn grits, and wo
Après :     ['use', 'chain', 'restaurant', 'city', 'love', 'corn', 'grit', 'back', 'day', 'eat']

Avant :     Very average all around.  2 margaritas took a bit long for a nearly empty restaurant. Food was medio
Après :     ['margarita', 'take', 'bit', 'restaurant', 'food', 'aesthetic', 'music']

Avant :     Terrible service . Spent 100 plus and got nothing but excuses.  Move on
Après :     ['service', 'spend', 'excuse', 'move']

Avant :     Great atmosphere. Service was so so. Food was not good. Rubbery calamari. Bread and oil on table was
Après :     ['atmosphere', 'service', 'food', 'bread', 'oil', 'table', 'sauce', 'bland']

Avant :     HorrIble food. Meatball was t cooked, short rib was dry and tasteless and the chicken Alfredo's was

Après :     ['food', 'meatball', 'cook', 'rib', 'chicken', 'alfredo', 'school', 'serve']

Avant :     Hoped this would be as good as the one in Bloomington. NOT. Nice try. I suppose people go for the be
Après :     ['hope', 'good', 'bloomington', 'try', 'suppose', 'people', 'beer']

Avant :     This place made me sad because I think their beer choices are excellent but boy were they having a b
Après :     ['place', 'make', 'think', 'beer', 'choice', 'boy', 'night', 'take', 'time', 'try']

Avant :     The only reason this place gets a 2 is because the beer was really good. I set at the bar and watche
Après :     ['reason', 'place', 'beer', 'set', 'bar', 'watch', 'waitress', 'shoot', 'beer', 'wait']

Avant :     Service is unbelievably slow. Perla the manger is in the back doing her makeup while the timer for m
Après :     ['service_slow', 'perla', 'manger', 'makeup', 'timer', 'tick', 'lady', 'come', 'wait', 'perla']

Avant :     We have been to this restaurant on multiple occasions. I have given it an honest try! But each and E
Après :     ['restaurant', 'occasion', 'give', 'try', 'time', 'order', 'item', 'miss', 'make', 'pull']

Avant :     We have more problems that tonight we have decided to not go back. Have it your way is a joke at thi
Après :     ['problem', 'tonight', 'decide', 'way', 'joke', 'place', 'order', 'miss', 'make', 'today']

Avant :     We had the worst experience there. 15 mintues after we order our food ahe is back to see if we want 
Après :     ['experience', 'mintue', 'order', 'food', 'ahe', 'see', 'fry_rice', 'cuase', 'rice', 'say']

Avant :     We came here for lunch with a coupon. In order to use the coupon you HAVE to purchase a drink. This 
Après :     ['come', 'lunch', 'coupon', 'order', 'use', 'coupon', 'purchase', 'drink', 'caveat', 'print']

Avant :     Old country buffet's Chinese cousin opened up in the same place he left. Vast variety but everything
Après :     ['country', 'open', 'place', 'leave', 'variety', 'taste', 'rib', 'cook', 'serve', 'greasy']

Avant :     Just another mediocre Chinese buffet, set on expanding the American waistline and cost of healthcare
Après :     ['buffet', 'set', 'expand', 'healthcare', 'food', 'healthiest', 'option', 'salad', 'sit', 'rice']

Avant :     Rude service, crowded seating area, disgusting bathroom, and a mediocre dessert section. I felt like
Après :     ['service', 'crowd', 'seating_area', 'bathroom', 'dessert', 'section', 'feel', 'sit', 'sweatshop', 'meal']

Avant :     The  buffet was fair to good, and some of the food was not warm. I also would suggest that the peopl
Après :     ['buffet', 'food', 'suggest', 'people_work', 'disposition', 'people_work', 'display', 'smile', 'find', 'environment']

Avant :     We came here to try it out since we were in Exton Main Street shopping. The prices seem reasonable f
Après :     ['come', 'try', 'street', 'shopping', 'price', 'seem', 'place', 'food', 'portion', 'stingiest']

Avant :     I dnt knw if there's a new cook but the ox tails had no flavor at all nothing like it use to b very 
Après :     ['ox', 'tail', 'flavor', 'use', 'thing', 'trash']

Avant :     My order was 75% wrong and when I got home to divvy out the food I had ordered, items were missing i
Après :     ['order', 'wrong', 'food', 'order', 'item', 'miss', 'include', 'burger']

Avant :     This place has awful service . All the employees looked like they hated their job even managers, non
Après :     ['place', 'service', 'employee', 'look', 'hate_job', 'manager', 'sense_urgency', 'customer', 'take', 'care']

Avant :     I normally love Wendy's, it's one of my favorite fast food spots BUT this Wendy's is the worst. Both
Après :     ['love', 'wendy', 'food', 'spot', 'time', 'service', 'food', 'time', 'handle', 'water']

Avant :     Went to this Taco Bell last night.  It was 1 30 and it said 30 minutes to close.  All the lights wer
Après :     ['night', 'say', 'minute', 'light', 'back', 'wait', 'give', 'pull', 'man', 'window']

Avant :     I recently moved to the NOLA area and have been looking for a new salon/spa. I have very high standa
Après :     ['move', 'area', 'look', 'salon', 'spa', 'standard', 'place', 'suppose', 'find', 'overrate']

Avant :     Was not a fan of their cheesesteak. Their wiz sauce was mustard based and it was not terrible as a s
Après :     ['fan', 'cheesesteak', 'wiz', 'sauce', 'mustard', 'base', 'sandwich', 'mustard', 'flavor', 'one']

Avant :     I love Vedge and was really looking forward to Wiz Kid for vegan take-out in my neighborhood. Huge d
Après :     ['love', 'vedge', 'look', 'kid', 'vegan', 'take', 'neighborhood', 'disappointment', 'option', 'note']

Avant :     What has happened?

Have been going to Simply Thai for many years.  Recent experience was sub- par. 
Après :     ['happen', 'thai', 'year', 'experience', 'sub_par', 'service', 'fry', 'soup', 'noodle', 'people']

Avant :     The pho was tasty although considerably less tasty than that of Pho Nouveau downtown. My biggest pro
Après :     ['pho', 'pho', 'downtown', 'problem', 'sell', 'water', 'put', 'dollar', 'change', 'run']

Avant :     I have been a PHO fan forever, the Pho here is marginal what takes away from the whole experience is
Après :     ['fan', 'pho', 'take', 'experience', 'rude', 'person', 'look']

Avant :     This use to be my favorite place to get avocada smoothie but not anymore. They raised the price and 
Après :     ['use', 'place', 'avocada', 'smoothie', 'raise_price', 'reduce', 'size', 'drink', 'understand', 'raise_price']

Avant :     The quality of my sandwich was the equivalent of cat food on a stale baguette. Only thing well made 
Après :     ['quality', 'sandwich', 'cat', 'food', 'thing', 'make', 'tea']

Avant :     So disappointed in this place, we always tell everyone it's the best pho around which brings more se
Après :     ['place', 'tell', 'pho', 'bring', 'service', 'service', 'way', 'hill', 'want', 'eat']

Avant :     I ordered the #5 sandwich with extra meat and didn't get the extra meat I paid for. This has happene
Après :     ['order', 'sandwich', 'meat', 'meat', 'pay', 'happen', 'time', 'order', 'meat', 'stop']

Avant :     Not impressed with this location.we to the drive thru yesterday to get a wonderful shake. The lady w
Après :     ['location', 'drive', 'yesterday', 'shake', 'lady', 'take', 'order', 'time', 'order', 'drive']

Avant :     Been here three times (I live in the neighborhood). 1st time they had me pull around and wait for fr
Après :     ['time', 'neighborhood', 'time', 'pull', 'wait', 'fry', 'order', 'nd', 'time', 'wait_minute']

Avant :     Went there to redeem a coupon special. After 5pm, $10 for 10 Krystal and 10 wings. They redeemed it,
Après :     ['redeem', 'coupon', 'pm', 'wing', 'redeem', 'take', 'minute', 'make', 'order', 'people']

Avant :     Good food but terrible service.
I can only put half the blame on the staff as they were shorthanded,
Après :     ['food', 'service', 'put', 'blame', 'staff', 'shorthande', 'need', 'express', 'attitude', 'customer']

Avant :     I've been to a few events here but other than that this place never seems to have many people in it.
Après :     ['event', 'place', 'seem', 'people', 'place', 'grab', 'drink', 'watch_game', 'food', 'inconsistent']

Avant :     Terrible service. Took a very long time to get food. Very overpriced for the setting and the ambienc
Après :     ['service', 'take', 'time', 'food', 'overprice', 'set', 'ambience', 'order', 'bean', 'burger']

Avant :     I love Einstein's and I'm very sad that I hate this location so much. Eveytime we go, the customer s
Après :     ['love', 'hate', 'location', 'eveytime', 'customer_service', 'order', 'today', 'bagel', 'happen', 'hope']

Avant :     No longer liking china king.  Now that abacus delivers, we no longer get china king.  
The food qual
Après :     ['like', 'deliver', 'quality', 'couple', 'dish', 'use', 'shrimp', 'couple', 'time', 'order']

Avant :     The food here is terrible (old-tasting, not warm at times). Takeout is packaged in leaky styrafoam p
Après :     ['food', 'taste', 'time', 'package', 'styrafoam', 'plate', 'price', 'average', 'place', 'lansdale']

Avant :     I have wasted too many hours of my life in this "Irish Pub". It's basically a place where dumb busin
Après :     ['waste', 'hour', 'life', 'pub', 'place', 'business', 'people', 'strand', 'traveler', 'sucker']

Avant :     I've been there a few times.  The prices are Ok but the service really isn't that good.  Awesome fri
Après :     ['time', 'price', 'service', 'fry', 'problem', 'group', 'want', 'take', 'girlfriend', 'date']

Avant :     I've been here twice. Here's how it went:
Happy Hour: crowded. slow service. but fries were yum didd
Après :     ['hour', 'crowd', 'service', 'fry', 'fry', 'offer', 'cheese', 'thing', 'congeal', 'minute']

Avant :     Cliiiiche. I do love irish theme pubs, but this reminded me of the Olive garden of irish-themed pubs
Après :     ['cliiiiche', 'love', 'theme', 'pub', 'remind', 'olive_garden', 'irish', 'theme', 'pub', 'standout']

Avant :     Went there for brunch today. Unfortunately, the person assigned to the omelet station had no idea ho
Après :     ['brunch', 'today', 'person', 'assign', 'omelet', 'station', 'idea', 'cook', 'sooooooo', 'omelet']

Avant :     Ok, the oblivious, smarmy, and outright weird staff at the pastry and deli counters have finally sca
Après :     ['smarmy', 'staff', 'pastry', 'deli', 'counter', 'scare', 'reach', 'break', 'point', 'finito']

Avant :     Pulled pork sandwich was Delicious .. BUT! The lucky bun (Asian fusion style ) burger . Was a disapp
Après :     ['pull_pork', 'sandwich', 'fusion', 'style', 'burger', 'disappointment', 'purpose', 'use', 'beef', 'patty']

Avant :     2 stars for the staff trying and being nice, they seem really new. Expresso was good. However came i
Après :     ['star', 'staff', 'try', 'seem', 'expresso', 'come', 'lunch', 'website', 'door', 'serve']

Avant :     GLORIFIED DENNY'S.

I don't get it - first of all, seeing it on the Food Network is a rubes calling 
Après :     ['glorify', 'denny', 'see', 'food', 'network', 'rube', 'call', 'try', 'egg_benedict', 'silver']

Avant :     Ordered Pork Chop rice which is the typical, symbolic & easy cooked Taiwanese dish that any Taiwanes
Après :     ['order', 'pork_chop', 'rice', 'cook', 'dish', 'chef', 'dish', 'ground', 'pork', 'savory']

Avant :     This place wasn't tso good. Their general tso's chicken was almost too salty, by which I mean that i
Après :     ['place', 'portion_size', 'kind', 'consider', 'price', 'say', 'skip']

Avant :     I was seeking excellent Jewish style delicatessen food during my business trip to the area.  I was s
Après :     ['seek', 'style', 'delicatessen', 'food', 'business', 'trip', 'area', 'satisfy', 'part', 'start']

Avant :     Usually great service with mostly friendly waitresses. The food is decent DINER food. My gripe is ho
Après :     ['service', 'waitress', 'food', 'diner', 'food', 'gripe', 'price', 'place', 'amount', 'food']

Avant :     What I can't get over about this place is the price of the food. It feels like a New York diner or d
Après :     ['place', 'price', 'food', 'feel', 'deli', 'suspect', 'business', 'ny', 'transplant', 'grill_cheese']

Avant :     Food is average (at best), way overpriced and portion sizes are very small.
Après :     ['food', 'way_overprice', 'portion_size']

Avant :     Expensive and dirty!

I am not sure what is more shocking, Mrs. Marty's prices or how filthy it is.

Après :     ['price', 'see', 'mouse', 'occasion', 'remain', 'displeasure', 'see', 'smell', 'come', 'dumpster']

Avant :     Rather than drive to Bala Cynwyd, my husband and I decided to order nova & bagels from Mrs. Marty's 
Après :     ['drive', 'bala', 'husband', 'decide', 'order', 'bagel', 'deli', 'house', 'food', 'sandwich']

Avant :     Initially a great place.  Now service is slower, customer service is average, food more rushed at th
Après :     ['place', 'service', 'customer_service', 'food', 'rush', 'expense', 'taste', 'inconsistent', 'price', 'service']

Avant :     Being a vegetarian while visiting New Orleans is no easy feat.  However, when I have found eats, the
Après :     ['vegetarian', 'visit', 'feat', 'find', 'eat', 'tomasito', 'standard', 'use', 'say', 'chip']

Avant :     Are you kidding me. That's how this review is starting out. "Fast and easy service for curbside" is 
Après :     ['kid', 'review', 'start', 'service', 'joke', 'park', 'spot', 'minute', 'order', 'time']

Avant :     If I could rate this place any less I would. My fiancée and I decided to order through the Chili's T
Après :     ['rate', 'place', 'fiancee', 'decide', 'order', 'chili', 'option', 'website', 'show', 'time']

Avant :     I love chilis & we are usually in & out of chilli's in less than an hour but with this location it w
Après :     ['love', 'chili', 'chilli', 'hour', 'location', 'hour', 'see', 'recommend', 'location', 'love']

Avant :     Food at Chilis is usually acceptable. The sizzling fajitas are usually good. Usually at other locati
Après :     ['food', 'chili', 'sizzle', 'fajita', 'location', 'location', 'food', 'town', 'sizzling', 'ask']

Avant :     WORST SERVICE EVER !!!! My family and I waited over 15 minutes to even get a hello ! Finally I got u
Après :     ['service', 'family', 'wait_minute', 'ask', 'manager', 'wait_minute', 'wait', 'lady', 'say', 'plastic']

Avant :     Not sure what's happened to Chili's, but man it really has declined. Maybe it's just this location, 
Après :     ['happen', 'man', 'decline', 'location', 'price', 'increase', 'time', 'quality', 'decrease', 'time']

Avant :     Stopped in with a few friends from work for a drink. Very slow service, the server spilled beer on 3
Après :     ['stop', 'friend', 'work', 'drink', 'service', 'server', 'spill', 'beer', 'time', 'margarita']

Avant :     I've eaten from here twice - once for al pastor tacos and once for a burrito. I was underwhelmed eac
Après :     ['eat', 'underwhelme', 'time', 'plan', 'meat', 'staff', 'food', 'par', 'truck', 'imho']

Avant :     Ordered some food at 11:47pm after not eating all day due to airline issues. I was starving. 2 and 1
Après :     ['order', 'food', 'pm', 'eat', 'day', 'airline', 'issue', 'starve', 'hour', 'food']

Avant :     Where to start?  Totally SUCKS!!!  Took an hour for delivery.  Gave a nice tip when it FINALLY arriv
Après :     ['start', 'suck', 'take', 'hour', 'delivery', 'give', 'tip', 'arrive', 'order', 'miss_item']

Avant :     Went here on the spur of the moment after looking at the menu on yelp. My friends didn't want to sta
Après :     ['spur', 'moment', 'look', 'menu', 'yelp', 'friend', 'want', 'stay', 'order', 'food']

Avant :     We were so excited to try this place - advertised a great menu and live music. When we got there on 
Après :     ['try', 'place', 'advertise', 'menu', 'music', 'night', 'couple', 'live', 'music_play', 'record']

Avant :     The hubby and I decided to stop in for a quick bite tonight. It's a Sunday night and the place wasn'
Après :     ['hubby', 'decide', 'stop', 'bite', 'tonight', 'night', 'place', 'seat', 'wait', 'time']

Avant :     Started off good but a group of about 25 came in and just stood behind us all night. The soft jazz w
Après :     ['start', 'group', 'come', 'stand', 'night', 'jazz', 'piano', 'base', 'group', 'wife']

Avant :     Tried this place after receiving a menu in the mail...very disappointed...ordered a brick oven pizza
Après :     ['try', 'place', 'receive', 'menu', 'mail', 'disappoint', 'order', 'brick', 'grill', 'carmelize']

Avant :     Gave this new restaurant a try a few weeks back and had a bad experience. Poor quality on the burger
Après :     ['give', 'restaurant', 'try', 'week', 'experience', 'quality', 'burger', 'salad', 'pie', 'hoping']

Avant :     Long wait. Disorganized and not very clean. Cuban was okay but not great. Same with pizza.
Après :     ['wait', 'pizza']

Avant :     I order delivery from this location now less and less     When I have ordered the last few times I h
Après :     ['order', 'delivery', 'location', 'order', 'time', 'receive', 'gift_card', 'movie', 'pass', 'delivery']

Avant :     They are closed. Sign is down, place looks cleared out. We tried to have lunch here last week and th
Après :     ['sign', 'place', 'look', 'clear', 'try', 'lunch', 'week', 'paper', 'sign', 'door']

Avant :     Wow, this place has really gone downhill! I don't know if there is a change in management or what, b
Après :     ['place', 'know', 'change', 'management', 'restaurant', 'return', 'service', 'restaurant', 'waitress', 'disappear']

Avant :     It's been a while since we ate here and I must say that it will be even longer before we go back. Fo
Après :     ['eat', 'say', 'food', 'veggie', 'steam', 'chipotle', 'chicken', 'spicy', 'people', 'service']

Avant :     I never thought it possible to have Mexican food that was tasteless but I found just the place.  Mex
Après :     ['think', 'food', 'tasteless', 'find', 'place', 'city', 'grill', 'take', 'chicken', 'pepper_onion']

Avant :     Well, after attempting to enter the dining area at 11:29pm, the doors were locked. Here's the hours.
Après :     ['attempt', 'enter', 'dining_area', 'door_lock', 'hour']

Avant :     This place is overpriced and the food is awful. We had Chicken Pot pies that were small and dried up
Après :     ['place', 'overprice', 'food', 'chicken', 'pot_pie', 'dry', 'doughnut', 'place', 'condition', 'disorganize']

Avant :     My first time here I asked the gal at the counter the difference between Sicilian and their regular 
Après :     ['time', 'ask', 'difference', 'pizza', 'say', 'think', 'spice', 'think', 'ask', 'find']

Avant :     Nice location and restaurant but AWFUL SERVICE. This is a newly built Pizza Hut so the building is n
Après :     ['location', 'restaurant', 'service', 'build', 'pizza_hut', 'build', 'wish', 'say', 'service', 'eat']

Avant :     This location is the WORST!!! The "manager" wouldn't even refund us our money after we told them we 
Après :     ['location', 'manager', 'refund_money', 'tell', 'want', 'pizza', 'deliver', 'offer', 'credit', 'spend']

Avant :     Tonight I attempted to order food from this restaurant despite the bad experience I had in the past.
Après :     ['tonight', 'attempt', 'order', 'food', 'restaurant', 'experience', 'place', 'order', 'payment', 'take']

Avant :     Made my order online, said it would be done at 6:20, Iv been waiting over 20 minutes for some wings.
Après :     ['make', 'order', 'say', 'waiting', 'minute', 'wing', 'seem', 'talk', 'one', 'phone']

Avant :     Decided to come by with my niece and girlfriend for late night milkshakes. Let's say from here on ou
Après :     ['decide', 'come', 'niece', 'girlfriend', 'night', 'milkshake', 'let', 'say', 'stargate', 'call']

Avant :     Okay food, good prices, but you literally have to beg for a refill of coffee! And don't sit at the c
Après :     ['food', 'price', 'beg', 'refill', 'coffee', 'sit', 'counter', 'side', 'work', 'stack']

Avant :     Just got take out and they didn't include pickles or cole slaw with my or my husband's food. Come ON
Après :     ['take', 'include', 'pickle', 'slaw', 'husband', 'food', 'come']

Avant :     5:43 am friday, not open, says 24 hours but again mislead by out of date information on yelp
Après :     ['say', 'hour', 'mislead', 'date', 'information', 'yelp']

Avant :     If I could give zero stars I would.  Service was slow and it wasn't busy. Order came out missing foo
Après :     ['give_star', 'service', 'order', 'come', 'miss', 'food', 'place', 'food', 'bland', 'greasy']

Avant :     I don't  know why this place has such high reviews.  Breakfast  was quite abysmal. I ordered hash br
Après :     ['know', 'place', 'review', 'breakfast', 'order', 'hash_brown', 'country', 'style', 'potato', 'dry']

Avant :     Good not great... out of homemade biscuits so no biscuits and gravy. Utensils were dirty. Service me
Après :     ['biscuit', 'biscuit_gravy', 'utensil', 'service', 'mediocre', 'come']

Avant :     finally mustered up the energy to get up,  and attempt to revitalize myself . Got here at 6:30am , t
Après :     ['muster', 'energy', 'attempt', 'revitalize', 'service', 'food', 'po_boy', 'shrimp', 'tell', 'smell']

Avant :     This was not a good place. The waitress was nice but the food was not good at all. They forgot our c
Après :     ['place', 'waitress', 'food', 'forgot', 'coffee', 'forget', 'put', 'cheese', 'omelet', 'say']

Avant :     I came here earlier this year before I discovered YELP, I just had forgot the name of the restaurant
Après :     ['come', 'year', 'discover', 'yelp', 'forgot', 'name', 'restaurant', 'come', 'restaurant', 'food']

Avant :     Support you local mom & pop pizza places they are much better.
Après :     ['support', 'mom_pop', 'pizza', 'place']

Avant :     Service wasn't bad but they make bad tasting pizza. Papa John's as a whole makes disgusting pizza so
Après :     ['service', 'make', 'taste', 'pizza', 'papa', 'make', 'pizza', 'expect']

Avant :     I ordered  three  pizzas and the cheese was smashed  to one side of the box, and when I called to co
Après :     ['order', 'pizza', 'cheese', 'smash', 'side', 'box', 'call_complain', 'care']

Avant :     When they opened up, a man who looked like Papa John was working at the pizza toppings. My order was
Après :     ['open', 'man', 'look', 'papa', 'pizza', 'topping', 'order', 'fouled', 'wait_minute', 'minute']

Avant :     Always loved this place. The food is delicious and the service is great. Unfortunately, today the ex
Après :     ['love', 'place', 'food', 'service', 'today', 'experience', 'ruin', 'group', 'state', 'fan']

Avant :     I ordered an acai bowl. It was watered down and melted into a soup. For the $10 price I would have e
Après :     ['order', 'acai_bowl', 'water', 'melt', 'soup', 'price', 'expect', 'acai', 'disappointing']

Avant :     Terrible service and dirty tables. The 20-something year old girl behind the counter definitely acte
Après :     ['service', 'table', 'year', 'girl_counter', 'act', 'thing', 'work', 'counter', 'visit', 'need']

Avant :     Not very attentive. Coffee is watered and perilously hot and the egg soufflé was extremely salty. Bu
Après :     ['coffee', 'water', 'egg', 'souffle', 'furniture']

Avant :     I don't know how this place can make it in that expensive real estate.  Maybe due to their connectio
Après :     ['know', 'place', 'make', 'estate', 'connection', 'restaurant', 'door', 'look', 'lunch', 'sandwich']

Avant :     Service was good and the staff was very friendly which is the only reason it got 1 star. The food wa
Après :     ['service', 'staff', 'reason_star', 'food', 'star', 'idea', 'time', 'day']

Avant :     Stayed for one week post Christmas. Unless you take adjoining rooms as a family, strangers conversat
Après :     ['stay', 'week', 'post', 'take', 'room', 'family', 'stranger', 'conversation', 'cough', 'clearing']

Avant :     Even if you are a gold member your not going to get anything special.  Otherwise expect your bare ba
Après :     ['member', 'expect']

Avant :     Bad experience and got no sleep! Got in late from airport and had an exhausted 6 year old. To make i
Après :     ['experience', 'sleep', 'airport', 'exhaust', 'year', 'make', 'guy', 'desk', 'night', 'hear']

Avant :     My husband and I stayed here on our wedding night. When we got to our room at around 12:02 a.m., we 
Après :     ['husband', 'stay', 'wedding', 'night', 'room', 'call', 'see', 'room', 'service', 'say']

Avant :     Miserable Experience - Terrible customer service.
Brought a team for a soccer showcase because the l
Après :     ['experience', 'customer_service', 'bring', 'team', 'soccer', 'location', 'management', 'front', 'desk', 'staff']

Avant :     Just changed their hours to evenings only, 5 days a week.  As I was there to try the lunch menu I am
Après :     ['change', 'hour', 'evening', 'day', 'week', 'try', 'lunch', 'menu']

Avant :     It was OK...  food was so-so, service was so-so. I had the beer can chicken, which was a HUGE portio
Après :     ['food', 'service', 'beer', 'chicken', 'portion', 'overcook', 'tea', 'par', 'find', 'food']

Avant :     Just average.  Pizza crust, while giving all the appearance of a true VPN, was tough and chewy.  Dis
Après :     ['pizza_crust', 'give', 'appearance', 'vpn', 'chewy', 'disappointing']

Avant :     Worst pizza I have ever had. Frozen pizza tastes better and has a far better product. Giant charcoal
Après :     ['pizza', 'pizza', 'taste', 'product', 'charcoal', 'burn', 'portion', 'pie', 'inch', 'app']

Avant :     Ate here last night and the atmosphere was nice/service was lovely, but the food was underwhelming. 
Après :     ['eat', 'night', 'atmosphere', 'service', 'food', 'expect', 'price', 'place', 'claim', 'emulate']

Avant :     Just walked out of this place.  When we got there the wait staff was all outside and we were the fir
Après :     ['walk', 'place', 'wait', 'staff', 'people', 'restaurant', 'give', 'water', 'come', 'wait_minute']

Avant :     Had the Spring onion soup. Could not eat it. 
Much too salty. Much too spicy hot and I like hot. The
Après :     ['spring', 'onion_soup', 'eat', 'wing', 'sauce', 'drench_sauce', 'husband', 'pull', 'mushroom', 'sandwich']

Avant :     I tried to like this place. They have good ideas, just very poorly executed. I've made reservations 
Après :     ['try', 'place', 'idea', 'execute', 'make_reservation', 'ignore', 'try', 'menu_item', 'food', 'make']

Avant :     was at the Blue Duck tonight was very hungry ordered the chicken wings for a app . and the tagliatel
Après :     ['duck', 'tonight', 'order', 'chicken', 'wing', 'app', 'waitress', 'bring', 'chicken', 'wing']

Avant :     After all the hype I had to try and my chicken salad sandwich was really good! I was not a fan of th
Après :     ['hype', 'try', 'chicken', 'salad', 'sandwich', 'fan', 'duck', 'fat', 'fry', 'quack']

Avant :     Over priced $9 for just a burger with no fries or drink. The food is good but food saftey is lacking
Après :     ['price', 'burger', 'fry', 'drink', 'food', 'food', 'saftey', 'lack', 'level']

Avant :     I won't nitpick and list all of the missteps or comment with everything that went wrong. I'll just s
Après :     ['misstep', 'comment', 'say', 'wait', 'hour', 'entree', 'table', 'think', 'kink', 'work']

Avant :     It was our first visit. The service was excellent. We had the mussels appetizer which was very good.
Après :     ['visit', 'service', 'mussel', 'appetizer', 'husband', 'order', 'duck', 'breast', 'order', 'scallop']

Avant :     You tell me...$175 for tacos, burger, and veal dish? Food fair at best. Nice atmosphere. Good servic
Après :     ['tell', 'food', 'atmosphere', 'service', 'soda', 'add', 'return', 'overprice', 'pay', 'center_city']

Avant :     New owners same location & type of business as before. Not a good 1st impression as we got hit in th
Après :     ['owner', 'location', 'type', 'business', 'impression', 'hit', 'nose', 'smell', 'fish', 'dinner']

Avant :     I'm waiting to get my money back.  Asked for 4 mcchickens and 2 med fries 4 snack size mcflurries an
Après :     ['wait', 'money', 'ask', 'mcchicken', 'fry', 'snack', 'size', 'mcflurrie', 'soda', 'fry']

Avant :     Yikes. They totally ruined the sweet, dark, decadent, wonderful Pravda I used to know. We brought an
Après :     ['yike', 'ruin', 'pravda', 'use', 'bring', 'town', 'friend', 'forget', 'spot', 'change']

Avant :     I had great times at old Pravda and liked that joint.  This new incarnation has nothing in common wi
Après :     ['time', 'pravda', 'like', 'incarnation', 'bar', 'know', 'pravda', 'cocktail', 'bar', 'ignore']

Avant :     Stopped in tonight, and shocked to find what was once my favorite bar in the Quarter, completely cha
Après :     ['stop', 'tonight', 'shock', 'find', 'bar', 'quarter', 'change', 'sell', 'owner', 'make']

Avant :     The food and drinks were good, maybe even great, but being seated and waiting 30 minutes to get wate
Après :     ['food', 'drink', 'wait_minute', 'water', 'server', 'bit', 'put', 'friend']

Avant :     New owner apparently doesn't know how to change their website information and online listings. This 
Après :     ['owner', 'know', 'change', 'website', 'information', 'listing', 'place', 'serve', 'food', 'thank']

Avant :     Brought my SO here, bragging it used to be my favorite brunch place; boy was I embarrassed! Took 35+
Après :     ['bring', 'brag', 'use', 'brunch', 'place', 'boy', 'embarrass', 'take', 'minute', 'order']

Avant :     This is a re-evaluation of Quinns as of last week.....Quinn's was our go-to place for Karaoke EVERY 
Après :     ['evaluation', 'quinn', 'week', 'karaoke', 'evening', 'folk', 'establishment', 'employ', 'tell', 'reason']

Avant :     Quite possibly the worst Chinese food I've ever had. Salted Squid was more salt than squid to the po
Après :     ['food', 'salt', 'salt', 'squid', 'point', 'salt', 'salt', 'shrimp', 'dumpling', 'fry']

Avant :     Hostess did not even say hello just put wrapped utensils down walked away. I ordered egg drop soup i
Après :     ['say', 'put', 'wrap', 'utensil', 'walk', 'order', 'egg', 'way', 'order', 'chicken']

Avant :     Burger patties lacked in flavor, Cajun Fries were under cooked.  Staff was real nice.
Après :     ['patty', 'lack_flavor', 'cajun', 'fry', 'cook', 'staff']

Avant :     When they first open they was awesome with a lot of fries In the bag and now they get your food wron
Après :     ['lot', 'fry', 'bag', 'food', 'fry', 'burger']

Avant :     First off, it is a bar through and through. The alcohol selection is good and the drinks well mixed.
Après :     ['bar', 'alcohol', 'selection', 'drink', 'casino', 'bar', 'pay', 'price', 'food', 'menu']

Avant :     While the terrace bar is a chill spot to get away from the craziness in the main casino, the bar ser
Après :     ['terrace', 'bar', 'chill', 'spot', 'casino', 'bar', 'service_terrible', 'come', 'time', 'play']

Avant :     Oh boy- where do I begin. How about with a warning- Don't waste your $ here. STAY AWAY. 

First, it'
Après :     ['begin', 'warn', 'waste', 'stay', 'ole', 'period', 'product', 'fry_soggy', 'steak', 'chewy']

Avant :     Food was average at best. As experts on fried green tomatoes, my family was disappointed.  Meatloaf 
Après :     ['food', 'expert', 'fry', 'tomato', 'family', 'disappoint', 'meatloaf', 'side', 'average', 'entertainment']

Avant :     Save your money!! The food taste like cheap buffet food....very bland!! Even the mac and cheese was 
Après :     ['save_money', 'food', 'taste', 'buffet', 'food', 'bland', 'cheese', 'think', 'enjoy', 'music']

Avant :     I hate to say it because Nashville was on my bucket list but this place shattered my visions of a pe
Après :     ['hate', 'say', 'bucket', 'list', 'place', 'shatter', 'vision', 'trip', 'ole', 'opry']

Avant :     Food was not anything special. Very plain. Wouldn't recommend this place to anyone! Music was employ
Après :     ['food', 'place', 'music', 'employee', 'wood', 'return']

Avant :     Shrimp and grits were recommended but the grits were mushy. Dish was spicy hot but that was about it
Après :     ['shrimp_grit', 'recommend', 'grit', 'dish', 'trout', 'bland', 'grit', 'pair']

Avant :     We sat for several minutes before we were noticed, the lack of attention persisted during our meal. 
Après :     ['sit', 'minute', 'notice', 'lack', 'attention', 'persist', 'meal', 'plate', 'order', 'arrive']

Avant :     Ordered the three meat dish which is very big.

They drown everything in sauce so if there was any s
Après :     ['order', 'meat', 'dish', 'drown_sauce', 'smoke', 'flavor', 'meat', 'taste', 'rub', 'cook']

Avant :     French crepes, french service. Took forever to get our food while the wait staff noisily bused and w
Après :     ['crepe', 'service', 'take', 'food', 'staff', 'bus', 'wash', 'dish', 'table', 'hour']

Avant :     As soon as I saw the yellow hipster kitten heels and cankles approaching us I should've run full spe
Après :     ['see', 'heel', 'cankle', 'approach', 'run', 'speed', 'base', 'love', 'crepe', 'experience']

Avant :     Overpriced blah food with poor service.  My $10 crepe tastes like something I can make at home and w
Après :     ['overprice', 'blah', 'food', 'service', 'crepe', 'taste', 'make', 'tea', 'refill', 'service']

Avant :     Although the crepes were good, they were not very filling. Also, I was cheated out of more than $15 
Après :     ['crepe', 'filling', 'cheat', 'groupon', 'try', 'order', 'dessert', 'kitchen_close', 'place', 'order']

Avant :     The crepes are decent, but not good enough to make up for the surly staff, slow service, rickety fur
Après :     ['crepe', 'make', 'staff', 'service', 'rickety', 'furniture', 'glass', 'takeout', 'option', 'creperie']

Avant :     expensive, bad food and service.
I have been to other corner bakery cafes, and I usually like them, 
Après :     ['food', 'service', 'corner', 'bakery', 'cafe', 'tend', 'service', 'problem', 'manifest', 'wait']

Avant :     I went to college around the area, so I loved Corner Bakery. I would always get the Cobb Salad, so I
Après :     ['college', 'area', 'love', 'corner', 'bakery', 'cobb', 'salad', 'return', 'reminisce', 'taste_bud']

Avant :     Overpriced but hey their in the KOP Mall and everything is higher at least the service is pleasant. 
Après :     ['overprice', 'service', 'enjoy', 'tomato', 'soup', 'time']

Avant :     Today I went into this location around 5 pm and it was completely empty. The young girls that were w
Après :     ['today', 'location', 'girl', 'work', 'girl', 'take', 'order', 'snotty', 'leave', 'complete']

Avant :     I was pretty disappointed, tried a few sandwiches and grilled panini that were definitely pre-made, 
Après :     ['try', 'sandwich', 'grill', 'panini', 'pre_make', 'bread', 'side', 'salad', 'underwhelme', 'dressing']

Avant :     How do you run out of potatoes at a breakfast restaurant on a Sunday morning? This the 3rd time this
Après :     ['run', 'potato', 'breakfast', 'restaurant', 'morning', 'rd', 'time', 'happen', 'location', 'potatoe']

Avant :     I'm only giving this place a one star for the convenience since it was next to my hotel.  I should h
Après :     ['give', 'place', 'star', 'convenience', 'hotel', 'save_money', 'eat', 'gas_station', 'order', 'soup']

Avant :     Sorry. I hate to give a bad review but...
I really wanted Philly diner to be good ,but after several
Après :     ['hate', 'give', 'review', 'want', 'diner', 'visit', 'time', 'fry', 'chicken', 'freeze']

Avant :     Stopped in after flight during rush hour traffic. Service is good and the entries were less desirabl
Après :     ['stop', 'flight', 'rush', 'hour', 'traffic', 'service', 'entry', 'chicken', 'noodle_soup', 'noodle']

Avant :     Stay away from this place. The service was lousy and the food was the worst. Do not, I repeat, do no
Après :     ['stay', 'place', 'service', 'food', 'repeat', 'order', 'cheese', 'service', 'appal', 'experience']

Avant :     This Philly diner (out near the airport) is nasty.

Philly and Jersey are chock full of outstanding 
Après :     ['airport', 'diner', 'breakfast', 'waffle', 'one', 'serve', 'place', 'holiday', 'egg', 'taste']

Avant :     The place was dead when we got there and there we're more ppl working than customers in the restaura
Après :     ['place', 'ppl', 'work', 'customer', 'restaurant', 'service', 'food', 'denny', 'door', 'waste_time']

Avant :     Sad to say I could of tried dog food and it would of probably been better matter of fact my dog ende
Après :     ['say', 'try', 'dog', 'food', 'matter', 'fact', 'dog', 'end', 'dollar', 'steak']

Avant :     Stopped for a late dinner. Only 8 tables occupied in the entire place with 4 waitresses working. I w
Après :     ['stop', 'dinner', 'table_occupy', 'place', 'waitress', 'work', 'seat', 'drink', 'station', 'serve']

Avant :     literally found a band aid in my burger. that's all i have to say. this place is gross and they bare
Après :     ['find', 'band', 'aid', 'burger', 'say', 'place', 'apologize', 'band', 'aid', 'burger']

Avant :     Food came out cold, found hair in the hot wings. Cheese was solid and unmelted on the cheesesteak wh
Après :     ['food', 'come', 'find_hair', 'wing', 'cheese', 'cheesesteak', 'come', 'forget', 'food', 'bring']

Avant :     I went here for lunch after an extremely cold day. I ordered the French onion soup and a prime rib d
Après :     ['lunch', 'day', 'order', 'onion_soup', 'rib', 'dip', 'sandwich', 'stop', 'eat', 'soup']

Avant :     Absolutely horrible the only place that was open and I would rather starve next time bad food bad se
Après :     ['place', 'starve', 'time', 'food', 'service', 'chip', 'beef', 'smell', 'taste', 'fish']

Avant :     Food was just ok. The service was terrible. The waitress barely acknowledged me, I had to ask for a 
Après :     ['food', 'service', 'waitress', 'acknowledge', 'ask', 'drink_refill', 'deliver', 'meal', 'think', 'roll_eye']

Avant :     I ws in philly for a convention an went to th Philly Diner for dinner.  The food was ok - I ordered 
Après :     ['convention', 'diner', 'dinner', 'food', 'order', 'cheesesteak', 'side', 'salad', 'cheese_melt', 'sandwich']

Avant :     Went today while waiting for a friend to arrive at Airport.  Service was horrible the Waitress Erica
Après :     ['today', 'wait', 'friend', 'airport', 'service', 'waitress', 'come', 'give', 'water', 'hostess']

Avant :     Denny's is better and I don't like Denny's. I gave it a star just because you have to in order to po
Après :     ['denny', 'denny', 'give', 'order', 'post']

Avant :     Horrible. Waitress didn't know items on the menu, asked the customers what the menu said. Seating/ b
Après :     ['waitress', 'know', 'item', 'menu', 'ask', 'customer', 'say', 'seating', 'booth', 'appear']

Avant :     Food is forgettable, service is terrible.  The only reason they are still open is because they serve
Après :     ['food', 'service', 'reason', 'open', 'serve', 'hotel', 'airport']

Avant :     Went last night with daughter and grandchildren.  None of us were able to eat our meal.  When the ma
Après :     ['night', 'daughter', 'grandchildren', 'none', 'eat', 'meal', 'manager', 'come', 'table', 'ask']

Avant :     Ate here 3 times. 1st time was amazing second time was like eating leftovers third time they changed
Après :     ['eat', 'time', 'time', 'time', 'eat', 'leftover', 'time', 'change', 'menu', 'menu']

Avant :     Dry shrimp pot - don't  like the spices and flavor at all.  Dumplings - bland.  Chinese burrito - po
Après :     ['shrimp', 'pot', 'spice', 'flavor', 'dumpling', 'quality', 'beef', 'tho', 'bread', 'part']

Avant :     They took extra fees other than you gave in gratuity. Not honest! We waited an hour for food. Servic
Après :     ['take', 'fee', 'give', 'gratuity', 'wait', 'hour', 'food', 'service', 'check', 'credit']

Avant :     Don't use the online ordering. I arrived 15 minutes after placing an order online and was told that 
Après :     ['use', 'ordering', 'arrive', 'minute', 'place', 'order', 'tell', 'make', 'order', 'customer']

Avant :     It does make me wonder why they are closed at dinner time on Wednesday afternoon to clean. Just sayi
Après :     ['make', 'wonder', 'close', 'dinner', 'time', 'afternoon', 'say']

Avant :     Horrible service and low quality food. Why is everything so salty? (More than normal) Nobody speaks 
Après :     ['service', 'quality', 'food', 'speak', 'order', 'arrive', 'house', 'min', 'order', 'time']

Avant :     this place is a joke.  They call themselves a tapas restaurant.. yet all their meals are just that. 
Après :     ['place', 'joke', 'call', 'restaurant', 'meal', 'meal', 'order', 'thing', 'pizza', 'parm']

Avant :     Really disappointing. The food was actually pretty good, but the wine selections were marginal and i
Après :     ['food', 'wine_selection']

Avant :     Been to this location twice and will never go back again!!!!

First time was mediocre, the second ti
Après :     ['location', 'time', 'time', 'beggar', 'belief', 'order', 'rib', 'send', 'half', 'half']

Avant :     We had a great 3 course meal.  Or at least it took that long.  50 minutes to be seated even with tab
Après :     ['course', 'meal', 'take', 'minute', 'seat', 'table', 'hour', 'meal', 'food', 'adequate']

Avant :     Ribeye was cold, fries tasted burnt, service was slow, Environment is bad. Seriously I would not be 
Après :     ['ribeye', 'fry', 'taste', 'burn', 'service', 'environment', 'back', 'people', 'argue', 'restaurant']

Avant :     Had one of the worst meals of my life here. 

They don't know how to cook a steak properly, and I ca
Après :     ['meal', 'life', 'know', 'cook', 'steak', 'buy', 'quality', 'meat', 'kroger', 'cook']

Avant :     Very poor service and pathetic quality of food. Would never come back here and also not recommend fo
Après :     ['service', 'quality', 'food', 'come', 'recommend', 'place']

Avant :     Its okay for a chain.  Not a first choice but tolerable for company lunch meetings.
Après :     ['chain', 'choice', 'company', 'lunch', 'meeting']

Avant :     The most D.E.P.L.O.R.A.B.L.E. dining experience I have ever had. Service is non existant...al of the
Après :     ['dining_experience', 'service', 'sever', 'stand', 'bar', 'talk', 'guy', 'night', 'tv', 'watch']

Avant :     Poor service,  order not prepared properly.
Après :     ['service', 'order', 'prepare']

Avant :     TERRIBLE CUSTOMER SERVICE!!!

There were several empty tables when we got there, yet it took 20 minu
Après :     ['customer_service', 'table', 'take', 'minute', 'seat', 'seat', 'minute', 'pass', 'person', 'stop']

Avant :     This place is awful. They had no toilet paper in bathrooms and then asked patrons to use napkins sin
Après :     ['place', 'toilet_paper', 'bathroom', 'ask', 'patron', 'use', 'napkin', 'run', 'wait', 'food']

Avant :     Saw that they were open until 11:30 pm. Walked in at 10:03 and cashier was super rude like we were a
Après :     ['see', 'pm', 'walk', 'cashier', 'inconvenience', 'sorry', 'close', 'attitude', 'say']

Avant :     NEVER GOING AGAIN!!! Very slow and rude service. They didn't honor a coupon correctly and refused to
Après :     ['service', 'honor', 'coupon', 'refuse', 'give', 'deal', 'make', 'order', 'drive', 'wait_minute']

Avant :     OK, so this has got to be the worst Mc Donalds ever.  It's a shame because it s a nice new facility,
Après :     ['mc', 'donald', 'shame', 'facility', 'time', 'try', 'manage', 'make', 'experience', 'service']

Avant :     The drink menu is nothing special, but the filet mignon sliders with fries are delicious. Service is
Après :     ['drink', 'menu', 'filet', 'mignon', 'fry', 'service', 'atmosphere', 'thing', 'buzz', 'conversation']

Avant :     I wanted to like the food here. We ordered fish and chips and lamb stew. Let's just say I won't be r
Après :     ['want', 'food', 'order', 'fish_chip', 'stew', 'let', 'say', 'recommend', 'pint', 'floor']

Avant :     My husband and I eat at the Black Sheep about six times a year.  Most times the food is  good and I 
Après :     ['husband', 'eat', 'sheep', 'time', 'year', 'time', 'food', 'love', 'atmosphere', 'time']

Avant :     I have stopped by a few times since moving into Rittenhouse Square looking for a friendly pub. In my
Après :     ['stop', 'time', 'move', 'rittenhouse', 'look', 'pub', 'visit', 'spring', 'bartender', 'welcoming']

Avant :     one tiny piece of cod - $14 "fish" and chips.  yeah right.
Après :     ['piece', 'cod', 'fish_chip']

Avant :     I took a bunch of yelp people here after an Elite Happy hour because I kind of like this place.  We 
Après :     ['take', 'bunch', 'yelp', 'people', 'elite', 'hour', 'kind', 'place', 'service', 'hostess']

Avant :     We went there Sunday for lunch.  I would have thought an hour would have been enough time for lunch,
Après :     ['lunch', 'think', 'hour', 'time', 'lunch', 'min', 'food', 'order', 'fish_chip', 'wife']

Avant :     Normally I would say that Black Sheep is a fine, low key bar with a good beer list and chill atmosph
Après :     ['say', 'sheep', 'bar', 'beer', 'list', 'chill', 'atmosphere', 'say', 'house', 'spill']

Avant :     Perhaps I caught this place on an off night, but the service was abysmal and the food was mediocre a
Après :     ['catch', 'place', 'night', 'service', 'food', 'mediocre', 'put', 'aspect', 'experience', 'ignore']

Avant :     This is my second time at vegetate, the first time I was so disappointed with their menu that I left
Après :     ['time', 'vegetate', 'time', 'menu', 'leave', 'place', 'call', 'vegetate', 'expect', 'salad']

Avant :     Went for lunch on sunday. Foods were not as good as before when i visited few years back. They chang
Après :     ['lunch', 'food', 'visit', 'year', 'change', 'location', 'know', 'change', 'cook', 'server']

Avant :     I have only ever gotten take-out at the Bridgeport Rib House, so I can only comment on that.  After 
Après :     ['take', 'comment', 'visit', 'story', 'food', 'price', 'pick', 'order', 'bar', 'barbecue']

Avant :     Band was dreadful!!!  Beers overpriced! Food was mediocre at best...The waitress was pleasant.  We w
Après :     ['band', 'beer', 'overprice', 'food', 'mediocre', 'waitress', 'returning']

Avant :     I have not eaten yet but I can honestly say that our waitress is truly unprofessional. If you don't 
Après :     ['eat', 'say', 'waitress', 'want', 'serve', 'people', 'job', 'walk', 'want', 'seat']

Avant :     Not a restaurant but a bar with food. Hope they do better at the bar since the food is deplorable. J
Après :     ['restaurant', 'bar', 'food', 'hope', 'bar', 'food', 'say']

Avant :     maybe it was a bad night....our experience overall was less than stellar.
Service - as others have s
Après :     ['night', 'experience', 'service', 'state', 'server', 'run', 'try', 'keep', 'pace', 'consider']

Avant :     Very thick ribs.  Not decadent as other barbecue places I've eaten at.  Tasted as if were put in ove
Après :     ['decadent', 'place', 'eat', 'taste', 'put', 'salad', 'garlic_bread', 'side', 'club', 'look']

Avant :     We stopped in after picking my friend up at the airport. I should have read the reviews before hand 
Après :     ['stop', 'pick', 'friend', 'airport', 'read', 'hand', 'issue', 'undercooke', 'steak', 'know']

Avant :     I was not pleased with this restaurant at all. The service was slow. The cole slaw was rotten and sl
Après :     ['restaurant', 'service', 'slaw', 'slimy', 'husband', 'take_bite', 'spit', 'tell', 'waitress', 'say']

Avant :     Updating my review to 1 star because they initially reached out to say that they would contact me to
Après :     ['update_review', 'star', 'reach', 'say', 'contact', 'make', 'plan']

Avant :     Came in an placed a carry-out it has been 30 mins since it was put in one person has asked if I'm do
Après :     ['come', 'place', 'carry', 'min', 'put', 'person', 'ask', 'look', 'know', 'table']

Avant :     It took over an hour to get our food ,worst service of any steakhouse  that we have eaten at .no one
Après :     ['take', 'hour', 'food', 'service', 'steakhouse', 'eat', 'seem', 'ask', 'take', 'tell']

Avant :     Pricey, food was average. My son's steak tips well... he spent most of the time TRYING to eat it cau
Après :     ['food', 'son', 'steak', 'tip', 'spend', 'time', 'try', 'eat', 'cause', 'sandwich']

Avant :     I should have passed this place up after seeing the star rating, but hunger won the battle. This was
Après :     ['pass', 'place', 'see', 'hunger', 'battle', 'bbq', 'restaurant', 'sausage', 'bread', 'basket']

Avant :     I was there 10 days ago. Horribly slow service. Just me and it took...15 minutes to get my table wip
Après :     ['day', 'service', 'take', 'minute', 'table_wipe', 'water', 'bread', 'salad', 'minute', 'food']

Avant :     Very small, quaint place. I did not care much for the sushi. I came here for lunch with a friend fro
Après :     ['quaint', 'place', 'care', 'come', 'lunch', 'friend', 'work', 'service', 'lunch', 'price']

Avant :     My husband visited this restaurant last week. They would not seat him at a Hibachi table as a party 
Après :     ['husband', 'visit', 'restaurant', 'week', 'seat']

Avant :     Really didn't like the sushi. 

Got about 6 rolls and a seaweed salad. And really unimpressed. Decen
Après :     ['roll', 'seaweed', 'salad', 'price', 'matter', 'price', 'food', 'place', 'choose', 'town']

Avant :     Many Japanese hole in the walls are fantastic. This one is far from it. Disinterested service (dirty
Après :     ['hole', 'wall', 'disintereste', 'service', 'plate', 'leave', 'table', 'server', 'forgot', 'take']

Avant :     How is Samurai?  I wouldn't know.  For starters who closes at 10:00 on a Friday night?  We arrived a
Après :     ['starter', 'close', 'night', 'arrive', 'tell', 'eat']

Avant :     Had a simple dinner with a friend: edemame to share, a vegetable roll for her, a shrimp tempura roll
Après :     ['dinner', 'friend', 'edemame', 'share', 'vegetable', 'shrimp', 'tempura', 'roll', 'avocado', 'roll']

Avant :     Closed at 9:45 on a Saturday night!  What kind of restaurant is this?  Maybe I'm spoiled from living
Après :     ['close', 'night', 'spoil', 'live', 'city', 'think', 'place', 'suppose', 'keep', 'hour']

Avant :     Not quite sure where the great reviews are coming from. The sushi here was just really bad. I've had
Après :     ['review', 'come', 'grocery_store', 'service', 'steer', 'wine', 'continue', 'search']

Avant :     Called to ensure they'd be open when we arrived. They said they would be. Arrive before their stated
Après :     ['call', 'ensure', 'arrive', 'say', 'arrive', 'state', 'closing', 'hour', 'light', 'close']

Avant :     Oh boy!  Don't know what's happened here...new owner?  Change in philosophy?  Cutting corners?  The 
Après :     ['know', 'happen', 'owner', 'change', 'philosophy', 'cut_corner', 'dozen', 'bagel', 'yesterday', 'morning']

Avant :     Ever since the new ownership the food quality tanked. Their old homemade Caesar salad dressing got r
Après :     ['ownership', 'food', 'quality', 'tank', 'salad', 'dressing', 'replace', 'store_buy', 'dress', 'nachos']

Avant :     Been coming here for years... this place would be so good if they could only fix their wait staff.  
Après :     ['come', 'year', 'place', 'fix', 'wait', 'staff', 'service', 'time', 'suck', 'school']

Avant :     Worst pub I've ever been I ordered a burger and couldn't even swallow the first bite. The only food 
Après :     ['pub', 'order', 'burger', 'swallow', 'bite', 'food', 'water', 'serve', 'look', 'bar']

Avant :     New name.  Same old
Below average food and super slow service.  Kitchen is slow and the food is just
Après :     ['name', 'food', 'service', 'kitchen', 'food', 'pork_sandwich', 'menu_item', 'parm', 'plate', 'chicken']

Avant :     So I'm torn on this review...The place is pretty large and has a lot of seating options (which Laura
Après :     ['tear', 'review', 'place', 'lot', 'seat', 'option', 'laura', 'mention', 'seem', 'follow']

Avant :     Good, convenient, but not great.

Been a few times- always left wanting more/better/different. I lik
Après :     ['time', 'leave', 'want', 'crust', 'fan', 'residue', 'leave', 'hand', 'try', 'purchase']

Avant :     Won't deliver literally less than 10 blocks away. You will drive three miles down to Westshore but w
Après :     ['deliver', 'block', 'drive', 'mile', 'westshore', 'block']

Avant :     I'm new to the area, and live within walking distance, so I thought I would give it a shot. This may
Après :     ['area', 'live', 'walking', 'distance', 'thought', 'give_shot', 'place', 'gluten', 'restriction', 'beware']

Avant :     Terrible customer service. I called for the first time to try them out. I live right across from Int
Après :     ['customer_service', 'call', 'time', 'try', 'live', 'mall', 'mile', 'decide', 'put_hold', 'minute']

Avant :     I ordered a GLUTEN FREE pizza for my mom. Within minute of finishing the pizza she was in so much pa
Après :     ['order', 'pizza', 'mom', 'minute', 'finish', 'pizza', 'pain', 'stand', 'say', 'time']

Avant :     Try the gluten free at your own risk. My husband and I got it and now have good poisoning. He usuall
Après :     ['try', 'gluten', 'risk', 'husband', 'poisoning', 'steel', 'stomach', 'gluten', 'eat', 'pizza']

Avant :     First night went here, great place and food.  Second time different story.  Inattentive, incorrect o
Après :     ['night', 'place', 'food', 'time', 'story', 'order', 'food', 'seem', 'kitchen', 'overheard']

Avant :     Good local bar. Chicken parm sandwich was dry and there was twice as much sauce as chicken. The bask
Après :     ['bar', 'chicken_parm', 'sandwich', 'sauce', 'chicken', 'basket', 'fry', 'crisp', 'serve', 'become']

Avant :     Ordered the Korean tacos made from naa bread and meat was very cheap. More than half the meat was fa
Après :     ['order', 'make', 'bread', 'meat', 'half', 'meat', 'fat', 'meat', 'experience']

Avant :     My family and I had probably the weirdest/worst dining experience here. It seemed as if they weren't
Après :     ['family', 'dining_experience', 'seem', 'handle', 'customer', 'waitress', 'seem', 'stress', 'guess', 'way']

Avant :     Every time I go here some girl is talking to her boys at the drive thru. Slowest and rudest DQ I hav
Après :     ['time', 'girl', 'talk', 'boy', 'drive', 'rudest', 'see', 'window', 'shake', 'set']

Avant :     I love Skyline Chili.  I first had this stuff in Cincinnati, and I was thrilled to when a location o
Après :     ['love', 'skyline', 'chili', 'stuff', 'thrill', 'location', 'open', 'clearwater', 'skyline', 'service']

Avant :     Must have changed management. I go about twice a month. Last two times pasta was under cooked to poi
Après :     ['change', 'management', 'month', 'time', 'pasta', 'cook', 'point', 'send', 'ask', 'come']

Avant :     Went out of my way to get some of their food and was vey disappointed. The dogs are terrible, small 
Après :     ['way', 'food', 'vey', 'dog', 'overprice', 'cheese', 'put', 'yuk']

Avant :     The food here is terrible. I don't know what pit they got their "chili" recipe from, but you'd need 
Après :     ['food', 'know', 'pit', 'recipe', 'need', 'function', 'taste_bud', 'enjoy', 'chili', 'spaghetti']

Avant :     I prefer my chili on the spicy side and this one wasn't my style, it's a bit on the sweet side.  Hav
Après :     ['prefer', 'side', 'style', 'bit', 'side', 'live', 'cincy', 'think', 'try', 'see']

Avant :     Great location. 

Wouldn't let you sit out on the patio with pups, coffee was pretty bad for what I 
Après :     ['location', 'let', 'sit', 'patio', 'pup', 'coffee', 'try', 'come', 'give_shot', 'dunedin']

Avant :     I had food there last week. My pizza I had was delicious and ice cream was good (cotton candy with m
Après :     ['food', 'week', 'ice_cream', 'cotton', 'candy', 'mini', 'marshmallow', 'atmosphere', 'location', 'manager']

Avant :     And for my third visit... I ordered a dirty chai latte, which took almost 10 minutes to create (desp
Après :     ['visit', 'order', 'take', 'minute', 'create', 'customer', 'top', 'grate', 'nutmeg', 'give']

Avant :     This coffee shop is NOT what Nashville is about . unfortunately I could extend that to all of westha
Après :     ['coffee_shop', 'extend', 'westhaven', 'greeting', 'fact', 'greet', 'clientele', 'snob', 'coffee', 'experience']

Avant :     $3.25 for a ham biscuit the size of a silver dollar! Won't be back. Thank you.
Après :     ['biscuit', 'size', 'dollar', 'thank']

Avant :     Came in on a Sunday afternoon. Not too busy. Took 20 mins to get 1 cappuccino. Although it was good,
Après :     ['come', 'afternoon', 'take_min', 'cappuccino', 'price', 'cappuccino', 'make', 'return']

Avant :     This place has gone downhill since they opened few months ago. They need to improve cleanliness big 
Après :     ['place', 'open', 'month', 'need', 'improve', 'cleanliness', 'time']

Avant :     Stay way from this place if you want to stay healthy. I have visited this place for couple of time a
Après :     ['stay', 'way', 'place', 'want', 'stay', 'visit', 'place', 'couple', 'time', 'time']

Avant :     I gotta disagree with the others.  The donuts here are fine, but nothing, NOTHING here is made from 
Après :     ['disagree', 'donut', 'make', 'scratch', 'take', 'look', 'tub', 'fill', 'mix', 'use']

Avant :     I arrived at 5 am and asked what was fresh. The lady behind the counter gave me a confused look, and
Après :     ['arrive', 'ask', 'lady', 'counter', 'give', 'look', 'wave', 'hand', 'donut', 'case']

Avant :     Hashbrowns mushy, eggs uncooked I thought I was eating the Rocky Balboa breakfast. Bacon was good! I
Après :     ['hashbrown', 'egg', 'uncooke', 'think', 'eat', 'balboa', 'breakfast', 'bacon', 'think', 'skip']

Avant :     This place is under new ownership and has imploded.  The former managers are gone, the chef is gone,
Après :     ['place', 'ownership', 'implode', 'manager', 'chef', 'staff', 'waste_time']

Avant :     I ordered a BLT from here and it came with bacon crumbles on my sandwich. It was also made with shre
Après :     ['order', 'come', 'bacon', 'crumble', 'sandwich', 'make', 'lettuce', 'sandwich', 'fall', 'place']

Avant :     Nothing but late night food. The pizza literally has no sauce, but think doughy and I can barely get
Après :     ['night', 'food', 'pizza', 'sauce', 'think', 'doughy', 'hammer', 'eat', 'coming']

Avant :     Usually pretty good but just ordered 2 large plain for the Manic Monday special and specified well d
Après :     ['order', 'specify', 'delivery', 'show', 'pie', 'undercooke', 'wonder', 'happen', 'ask']

Avant :     As soon as we walked in, the young lady asked us for our order. She gave no explanation on the menu 
Après :     ['walk', 'lady', 'ask', 'order', 'give', 'explanation', 'menu_item', 'choice', 'take', 'minute']

Avant :     Service was horrible. Lukewarm food and flat beer. It's too bad because the food was good but sat fo
Après :     ['service', 'food', 'beer', 'food', 'good', 'sit', 'waiter', 'disappear', 'serve', 'beer']

Avant :     Nice quaint place, but WAY overly priced. I filled my 64oz growler and it cost $28. Keep in mind pri
Après :     ['quaint', 'place', 'way', 'price', 'fill', 'growler', 'cost', 'keep', 'mind', 'price']

Avant :     Pretty good food. We had the strangest and the pushiest waiter ever. He kept grabbing our drinks bef
Après :     ['food', 'waiter', 'keep', 'grab', 'drink', 'finish', 'spoke', 'owner', 'spend', 'time']

Avant :     Arrived at 6:30 to an almost empty restaurant. A sports bar, a craft beer bar, second game of the Wo
Après :     ['arrive', 'restaurant', 'sport_bar', 'craft_beer', 'bar', 'game', 'people', 'bar', 'attempt', 'order']

Avant :     I came here and almost all the tables are highly top,l. It's difficult when you have a short wife or
Après :     ['come', 'table', 'wife', 'drink', 'stumble', 'food', 'price', 'box', 'lemon', 'water']

Avant :     One might want to skip the coffee's made in their machine. I had a cappuccino made twice and both ti
Après :     ['want', 'coffee', 'make', 'machine', 'cappuccino', 'make', 'time', 'ground', 'bottom', 'return']

Avant :     I came here for breakfast with my girlfriend on a Sunday. It was warm inside and things were cozy. T
Après :     ['come', 'breakfast', 'girlfriend', 'thing', 'food', 'come', 'order', 'potato', 'bacon', 'omelette']

Avant :     So I no refill on coffee no service poo , sad , everyone gone a MOTHERS DAY COOKIE , but not me ! No
Après :     ['coffee', 'service', 'poo', 'mother_day', 'cookie', 'bill', 'pay', 'mother_day', 'server', 'busser']

Avant :     My favorite dish here is the two way salad with the Curry Chicken and Grape Chicken salads.  I came 
Après :     ['dish', 'way', 'salad', 'grape', 'chicken', 'salad', 'come', 'today', 'lunch', 'notice']

Avant :     So I will say that a few of the things I have had from here have been really good.  However, my frie
Après :     ['say', 'thing', 'friend', 'love', 'bakery', 'celebrate', 'birthday', 'order', 'cake', 'floor']

Avant :     Have gotten a few cakes for birthdays and such well in fact several over the years. The last three h
Après :     ['cake', 'birthday', 'fact', 'year', 'last', 'cake', 'self', 'guess', 'time', 'find']

Avant :     My wife and I have gone here twice now for cake.  You can get a nice moist fresh cake at the superma
Après :     ['wife', 'cake', 'moist', 'cake', 'supermarket', 'bakery', 'waste_time', 'money', 'overprice', 'cake']

Avant :     Went there expecting a good breakfast, what I got was 15 minutes of waiting to put in an order and t
Après :     ['expect', 'breakfast', 'minute', 'wait', 'put', 'order', 'minute', 'wait', 'food', 'come']

Avant :     The waiter actually forgot our order. No, I'm not kidding. After discovering this 20 minutes after o
Après :     ['waiter', 'forget', 'order', 'kid', 'discover', 'minute', 'order', 'leave', 'apology', 'sight']

Avant :     The food and pastries are incredible but the service is so unbelievably slow and overall just bad it
Après :     ['food', 'pastry', 'service_slow', 'justify', 'expect', 'refill_water', 'coffee', 'expect', 'order', 'minute']

Avant :     to make it short - if you're a minority do NOT expect a good service!  You will be ignored or if the
Après :     ['make', 'minority', 'expect', 'service', 'ignore', 'take', 'order', 'pastry', 'put', 'bag']

Avant :     I've been coming to Josef's for years and today I decided I will never return. Between the consisten
Après :     ['come', 'year', 'today', 'decide', 'return', 'service', 'order', 'lukewarm', 'food', 'taste']

Avant :     Service is great.

The food however... its a complete hit or miss. Don't order the fish and chips yo
Après :     ['service', 'food', 'hit_miss', 'order', 'fish_chip', 'pound', 'fish', 'pound', 'batter', 'learn']

Avant :     This place is a joke. Came in with a party of seven and two free tables and would not let us use the
Après :     ['place', 'joke', 'come', 'party', 'table', 'let', 'use', 'allow', 'pull', 'visit']

Avant :     Was told they were short servers - waited 35 minutes to find out it would be another 15 minutes.  Al
Après :     ['tell', 'server', 'wait_minute', 'find', 'minute', 'start', 'afternoon', 'leave', 'street', 'applebee']

Avant :     Four of us went for lunch a couple weeks ago.  After  we ordered a bunch of flies flew over and cove
Après :     ['lunch', 'couple_week', 'order', 'bunch', 'fly_fly', 'cover', 'window', 'light', 'surround', 'area']

Avant :     Had a veggie wrap. It was missing the pesto, maybe 2 small pieces of artichokes and all the sundried
Après :     ['wrap', 'miss', 'pesto', 'piece', 'artichoke', 'sundrie', 'tomatoe', 'spot', 'make', 'return']

Avant :     How do you mess up breakfast!! Order spanish omlete. Cooked a couple of eggs poured scalipini gravy 
Après :     ['mess', 'breakfast', 'order', 'omlete', 'cook', 'couple', 'egg', 'pour', 'scalipini', 'gravy']

Avant :     The $10 off $30 coupon you get after visiting TEN times? It expires supposedly within 8 days of rece
Après :     ['coupon', 'visit', 'time', 'expire', 'day', 'receive', 'say', 'offer', 'tell', 'offer']

Avant :     This place is NASTY! . Floors, booths, sides of booths are caked with old food. Service was slow at 
Après :     ['place', 'floor', 'booth', 'side', 'booth', 'cake', 'food', 'service', 'potato', 'taste']

Avant :     Absolutely the worst meal I've had in a very long time. Everything was super greasy, salad was old a
Après :     ['meal', 'time', 'greasy', 'salad', 'spend', 'time', 'pick', 'piece', 'lettuce', 'attempt']

Avant :     We were a party of four; we were told it would be a 30 minute wait, which was fine. We were called u
Après :     ['tell', 'minute', 'wait', 'fine', 'call', 'expect', 'party', 'tell', 'wait', 'hostess']

Avant :     If I could rate this place a zero star, I would. This place is so disgusting & unprofessional. Came 
Après :     ['rate', 'place', 'star', 'place', 'come', 'yesterday', 'birthday', 'disaster', 'wait_min', 'table']

Avant :     Worst service/staff ever. I don't mind waiting for good food. But waiting 40+ minutes to recieve aft
Après :     ['service', 'staff', 'mind', 'wait', 'food', 'wait_minute', 'recieve', 'order', 'order', 'def']

Avant :     This used to be a great place to go...I went a couple weeks ago and had a horrible time! As soon as 
Après :     ['use', 'place', 'couple_week', 'time', 'walk', 'feel', 'tension', 'air', 'manager', 'host']

Avant :     I'd leave zero stars if it were possible. I called to order fried rice before my drive back to Chica
Après :     ['leave', 'star', 'call', 'order', 'fry_rice', 'drive', 'fry_rice', 'pork', 'dice', 'rice']

Avant :     This is the perfect restaurant you want to order from for your mother-in-law's birthday if she's sin
Après :     ['restaurant', 'want', 'order', 'mother', 'law', 'birthday', 'insurance', 'policy', 'order', 'order']

Avant :     Ordered from this place for the first time, whole family did not fair well from eating here
Après :     ['order', 'place', 'time', 'family', 'eat']

Avant :     If you don't get sick the food is mediocre. Twice my wife has gotten food poisoning from Ho-Ho's and
Après :     ['food', 'wife', 'food_poison', 'fry_rice', 'chicken', 'look', 'chewy', 'food']

Avant :     The pizza tasted great going down , the crust was great, and the price was right,. My husband got th
Après :     ['pizza', 'taste', 'crust', 'price', 'husband', 'order', 'ricotta', 'husband', 'night', 'spend']

Avant :     OK, I ordered their supreme pizza with a thin crust. If this is thin, I would hate to see their regu
Après :     ['order', 'crust', 'hate', 'see', 'crust', 'crust', 'papa', 'boycott', 'year', 'topping']

Avant :     Was excited to try this restaurant. The food was actually really good. The waitstaff was amazingly r
Après :     ['try', 'restaurant', 'food', 'food']

Avant :     Would love to comment about the food but...  cold greeting at the door. Asked for four waters and on
Après :     ['love', 'comment', 'food', 'greeting', 'door', 'ask', 'water', 'coffee', 'water', 'bring']

Avant :     the drinks suckkkkkkk!!!!!
worst service ever!!!!!!
make sure you bring cash. paying with a card, th
Après :     ['drink', 'service', 'make', 'bring', 'cash', 'pay', 'card', 'add', 'charge']

Avant :     The place is a joke. The two medium cooked burgers took over a half an hour to be prepared.

They ha
Après :     ['joke', 'cook', 'burger', 'take', 'hour', 'prepare', 'bathroom', 'door_lock', 'sound', 'minute']

Avant :     Left a lot to be desired. Our waitress, while nice, was unprofessional and had no presentation skill
Après :     ['leave', 'lot_desire', 'waitress', 'presentation', 'skill', 'consider', 'caliber', 'service', 'find', 'city']

Avant :     Took 20+ minutes for food even though the restaurant was empty. Burger was really really bad. Never 
Après :     ['take', 'minute', 'food', 'restaurant', 'burger', 'write', 'yelp_review', 'people', 'deserve', 'warning']

Avant :     I ordered delivery from this place on a night I wasn't really into cooking.  My boyfriend ordered a 
Après :     ['order', 'delivery', 'place', 'night', 'cook', 'boyfriend', 'order', 'sandwich', 'order', 'food']

Avant :     Brunch was awful.  The pancakes were dry and the waitress served them with a teaspoon. Of syrup.  I 
Après :     ['brunch', 'pancake', 'waitress', 'serve', 'teaspoon', 'syrup', 'ask', 'bottle', 'service', 'sub_par']

Avant :     Went for lunch with some buds. Place was empty. Waited 15 mins for salad and 30 for burgers. Poor wa
Après :     ['lunch', 'bud', 'place', 'wait_min', 'salad', 'burger', 'waitress', 'order', 'burger']

Avant :     I had to write an order after coming here a couple of times because this place is just terrible. I t
Après :     ['write', 'order', 'come', 'couple', 'time', 'place', 'try', 'hoagie', 'eating', 'yesterday']

Avant :     The food here was mediocre.  

The pizza was greasy and cold.  The crust lacked flavor/taste.  The c
Après :     ['food', 'pizza', 'greasy', 'crust', 'lack_flavor', 'taste', 'cheese_melt', 'item', 'wrap', 'order']

Avant :     I found this spot through Grubhub and trusted the reviews... Although the service was quick, the piz
Après :     ['find', 'spot', 'trust', 'review', 'service', 'pizza', 'soggy', 'lazo', 'try']

Avant :     Omg. No...Just no. I ordered a cheesesteak pizza with fried onion chopped small. I received a burnt 
Après :     ['order', 'cheesesteak', 'pizza', 'fry', 'onion', 'chop', 'receive', 'burn', 'disc', 'mess']

Avant :     I can't stand this place.  Called and was cursed out for no reason.  I guess we were ordering to muc
Après :     ['stand', 'place', 'call', 'reason', 'guess', 'order', 'guy', 'keep', 'start', 'yell']

Avant :     Cheese steaks are scary, turn and run. 0 stars if I was being generous but yelp doesn't allow that.
Après :     ['cheese_steak', 'run', 'star', 'yelp', 'allow']

Avant :     Ordered a small white pizza and a cheesesteak with wiz. Pizza was satisfactory. Asked for extra wiz 
Après :     ['order', 'pizza', 'cheesesteak', 'wiz', 'pizza', 'satisfactory', 'ask', 'wiz', 'comment', 'wiz']

Avant :     Super disappointed. I ordered two dishes; one vegetarian noodle and a chicken curry. I asked for ext
Après :     ['order', 'dish', 'ask', 'vegetable', 'noodle', 'dish', 'case', 'receive', 'chicken', 'pepper']

Avant :     I get annoyed when I go to a place that's open, yet the doors are locked and the staff makes me wait
Après :     ['place', 'door_lock', 'staff', 'make', 'wait', 'come', 'door', 'roll_eye', 'come', 'food']

Avant :     The food is great at this location but the service sucks! With the exception of Lisa, anytime she's 
Après :     ['food', 'location', 'service', 'suck', 'exception', 'experience', 'time', 'feel', 'choose', 'drive']

Avant :     This is the worst Taco Bell ever! 20 minutes waiting for food at 5pm. Wrong drinks given. No sense o
Après :     ['minute', 'wait', 'food', 'pm', 'drink', 'give', 'sense_urgency', 'sit', 'window', 'wait']

Avant :     Food was prompt and is what it is - nothing unexpected there. WiFi is worthless. I'd add a star if t
Après :     ['food', 'prompt', 'wifi', 'add', 'star', 'change', 'table', 'man', 'room']

Avant :     Food was good and restaurant was clean. Two tacos made incorrectly, one extra taco not ordered, nach
Après :     ['food', 'restaurant', 'taco', 'make', 'order', 'nachos', 'make', 'chip', 'sauce', 'place']

Avant :     This place is a dump. I got to this shady place to get lunch only to told they're closed.
Après :     ['place', 'dump', 'place', 'lunch', 'tell', 'close']

Avant :     I don't know why you people are all here lying to people. I got the fish tacos, they are absolutely 
Après :     ['know', 'people', 'lie', 'people', 'fish_taco', 'fish', 'boil', 'boil', 'fish_taco', 'taste']

Avant :     My husband and I go to this Taco Bell often we went yesterday I was very disappointed I ordered what
Après :     ['husband', 'yesterday', 'order', 'order', 'taco', 'quarter', 'teaspoon', 'beef', 'piece', 'shred']

Avant :     Service is slow and the food lacks any flavor whatsoever.  Plus, this is supposed to be Mexico City 
Après :     ['service', 'food', 'lack_flavor', 'suppose', 'city', 'food', 'serve', 'style', 'taco', 'think']

Avant :     I went to the restaurant when I was on a business trip in Tucson based on a recommendation of a loca
Après :     ['restaurant', 'business', 'trip', 'base', 'recommendation', 'local', 'say', 'restaurant', 'town', 'restaurant']

Avant :     20 years ago this was a good venue. Now? Not even close. We've been here a number of times over the 
Après :     ['year', 'venue', 'number', 'time', 'year', 'taper', 'food', 'service', 'meh', 'place']

Avant :     The food here is fine but nothing great.  (The one exception is the melted cheese appetizer, which i
Après :     ['food', 'exception', 'melt_cheese', 'appetizer', 'reason', 'eat', 'food']

Avant :     I've experienced much better at their location on Speedway. I had the enchiladas and the sauce was v
Après :     ['experience', 'location', 'sauce', 'plate', 'enchilada', 'tortilla_chip', 'fill', 'restaurant', 'night']

Avant :     Nice atmosphere & decor, friendly staff but disappointed in the food. We were there on a Thursday ni
Après :     ['atmosphere', 'staff', 'disappoint', 'food', 'night', 'order', 'wing', 'onion_soup', 'wing', 'taste']

Avant :     Nice enough ambiance - looks very promising on first glance, but the food and service were a huge di
Après :     ['ambiance', 'look', 'promise', 'glance', 'food', 'service', 'disappointment', 'order', 'steak', 'sandwich']

Avant :     We've been hearing of a new menu in the works for months since the much-ballyhooed original chef who
Après :     ['hear', 'menu', 'work', 'month', 'chef', 'develop', 'one', 'work', 'kitchen', 'staff']

Avant :     Disappointing for brunch. Had reservations but stood in line for quite a while because the staff cou
Après :     ['brunch', 'reservation', 'stand_line', 'staff', 'seem', 'figure', 'hostess', 'seem', 'bit', 'seem']

Avant :     The atmosphere is fun and the service was decent, but the food was awful. I ordered the tuna burger 
Après :     ['service', 'food', 'order', 'tuna', 'burger', 'suppose', 'serve', 'sear', 'way', 'cook']

Avant :     Nice atmosphere unique decor but, bar service was slow and bar staff not overly friendly. Only had d
Après :     ['atmosphere', 'bar', 'service', 'bar', 'staff', 'drink', 'opinion', 'food']

Avant :     Came to give them another chance as we've had one good experience as well as two very mediocre.  Sor
Après :     ['come', 'give_chance', 'experience', 'say', 'blah', 'meal', 'come', 'brunch', 'order', 'smoke']

Avant :     I have never had such horrible service in my life.  I don't expect much from a chain but this is rid
Après :     ['service', 'life', 'expect', 'chain', 'occasion', 'call', 'order', 'give', 'time', 'min']

Avant :     With Pei Wei I have come to expect consistency. This location however totally stands against that. I
Après :     ['come', 'expect', 'consistency', 'location', 'stand', 'wait_minute', 'time', 'suppose', 'place', 'phone']

Avant :     I love the chain, but this location can't get it together. For the longest time it was impossible to
Après :     ['love', 'chain', 'location', 'time', 'find', 'phone_number', 'order', 'call', 'restaurant', 'carry']

Avant :     Service today was soooooo slow. 1.5 hours today to get simple lunch. Food was also awful which was r
Après :     ['service', 'today', 'hour', 'today', 'lunch', 'food', 'oyster', 'po_boy', 'eat', 'half']

Avant :     Because of recommendations by my hotel at Union Station, I decided to try this place with my  dad an
Après :     ['recommendation', 'hotel', 'union', 'station', 'decide', 'try', 'place', 'fiance', 'wait', 'food']

Avant :     Severs and bartender running around like crazy and can't get caught up. One bartender making all the
Après :     ['sever', 'bartender', 'run', 'catch', 'bartender', 'make', 'drink', 'restaurant', 'bar', 'section']

Avant :     This place is terrible.  The hostess was very rude.  The waiter was pretty nice however.  The food w
Après :     ['place', 'hostess', 'waiter', 'food', 'overprice', 'people', 'manager', 'fall', 'try', 'make']

Avant :     I have always loved Landry's. The food is always good. Even this time it was very good however the p
Après :     ['love', 'food', 'time', 'portion', 'joke', 'order', 'substitute', 'fish', 'shrimp', 'shrimp']

Avant :     The food was decent but the service was atrocious!  We had to ask for napkins and silverware, our sa
Après :     ['food', 'service', 'ask', 'napkin_silverware', 'salad', 'come', 'appetizer', 'drink', 'come', 'minute']

Avant :     Food was cold and awful. Service was terrible. Brooke the manager came by and apologized but it just
Après :     ['food', 'service', 'manager', 'come', 'apologize', 'business', 'traveler', 'visit', 'hope', 'people']

Avant :     This place is disgusting! I wish i could give 0 stars. The customer service is horrible and the food
Après :     ['place', 'wish', 'give_star', 'customer_service', 'food', 'make', 'come']

Avant :     My experience is similar to a lot of previous reviews:  Good service, mediocre food, overpriced.  I 
Après :     ['experience', 'lot', 'review', 'service', 'food', 'overprice', 'cobb', 'salad', 'give_star', 'friend']

Avant :     I've only been once, so I won't go down to a single star on the assumption it can get better (a visi
Après :     ['star', 'assumption', 'visit', 'location', 'return', 'compel', 'group', 'food', 'know', 'fish']

Avant :     Server was great altho after the salad it took forever to receive our main course. Food was just ok.
Après :     ['server', 'salad', 'take', 'receive', 'course', 'food', 'ok', 'party', 'flavor', 'recommend']

Avant :     Service was average for our big group. Took 15 minutes to get check. Food was horrible. Rice pilaf w
Après :     ['service', 'group', 'take', 'minute', 'check', 'food', 'rice', 'box', 'shrimp', 'scallop']

Avant :     Overpriced and just a bit bland. It's okay, but there are better options nearby. On the plus side, t
Après :     ['overprice', 'bit', 'option', 'side', 'food', 'service']

Avant :     Nice idea of a place, but the food does not measure up.   Granted, we were there late on a rainy wee
Après :     ['idea', 'place', 'food', 'measure', 'grant', 'weeknight', 'feel', 'lobster', 'mccormick', 'seafood']

Avant :     The food was decent, the house salad was awful it was iceberg lettuce yuck!! 30.00s each per meal we
Après :     ['food', 'house', 'salad', 'iceberg_lettuce', 'yuck', 'meal', 'pay', 'crap', 'salad', 'scallop']

Avant :     I ate the eggs provencale (their signature dish); it was ok. I don't believe that I'm a fan of thyme
Après :     ['eat', 'egg', 'provencale', 'signature', 'dish', 'ok', 'believe', 'fan', 'thyme', 'egg']

Avant :     "Frenchness Guaranteed"? Well, this could mean anything from expensive food to rude service. 

What 
Après :     ['frenchness', 'guarantee', 'mean', 'food', 'service', 'forgive', 'sit', 'cafe', 'face', 'supermarket']

Avant :     Okay, I read there was a big problem with the service times. 

It took nearly 45 minutes for my wife
Après :     ['read', 'problem', 'service', 'time', 'take', 'minute', 'wife', 'order', 'complicate', 'people']

Avant :     After weekly breakfasts for 7years we are cutting this umbilical cord.  Drawn by their strong coffee
Après :     ['breakfast', 'year', 'cut', 'cord', 'draw', 'coffee', 'dish', 'love', 'portion', 'bread']

Avant :     Stopped for lunch.  Sign said seat yourself, so I did.  Sat there for at least 10 minutes thirsty an
Après :     ['stop_lunch', 'sign', 'say', 'seat', 'sit', 'minute', 'acknowledge', 'way', 'walk', 'serve']

Avant :     This has got to be the worst experience we've had in a very long time. First of all, they don't deli
Après :     ['experience', 'time', 'deliver', 'home', 'mood', 'stuff', 'crust', 'order', 'pickup', 'email']

Avant :     I'm really not sure how this location is still in business.  Staff is uninterested in actually helpi
Après :     ['location', 'business', 'staff', 'help', 'food', 'ehhhhhh', 'place', 'eat']

Avant :     Worst experience ever! Not only did they not deliver my food, but they claimed they tried knocking..
Après :     ['experience', 'deliver', 'food', 'claim', 'try', 'knock', 'hear', 'call', 'let_know', 'want']

Avant :     Let me start the review out by saying that I've actually never eaten here because it's never open wh
Après :     ['let_start', 'review', 'say', 'eat', 'place', 'mi', 'walk', 'drive', 'hour_operation', 'post']

Avant :     The pizza was just average. Every single time I pass by there it appears to be empty, the burgers ar
Après :     ['pizza', 'average', 'time', 'pass', 'appear', 'burger', 'say', 'place', 'pizza', 'burn']

Avant :     TERRIBLE, TERRIBLE SERVICE. Got the wild salmon salad. The salmon was raw, and we sent it back. They
Après :     ['service', 'salmon', 'send', 'take', 'piece', 'give', 'send', 'rd', 'time', 'overheard']

Avant :     The service here is painfully slow, and the food is not very good. After waiting 45 minutes in a emp
Après :     ['service_slow', 'food', 'waiting', 'minute', 'restaurant', 'food', 'come', 'ice', 'cook', 'grab']

Avant :     I just can't understand the number of positive reviews on the place. I try the place about every six
Après :     ['understand', 'number', 'review', 'place', 'try', 'place', 'month', 'neighborhood', 'want', 'mediocrity']

Avant :     Totally underwhelming Thai food experience.  We had the pad thai tofu and pad kee mao tofu.  Very me
Après :     ['underwhelme', 'food', 'experience', 'pad', 'meh', 'plate', 'tea', 'boba', 'boba', 'menu']

Avant :     Used to be cool, but now they charge $2 for water. Is that legal? When you're drinking, hydration is
Après :     ['use', 'charge', 'water', 'drinking', 'hydration', 'kind', 'think', 'right']

Avant :     worst resturant in the whole planet earth!!!!!!!!!!!!!!please stay away not even worth one star! fou
Après :     ['planet', 'earth', 'stay', 'star', 'find', 'cockroach', 'food']

Avant :     This restaurant is seriously lacking in customer service!  We have dined many times at Dish.  We lik
Après :     ['restaurant', 'lack', 'customer_service', 'dine', 'time', 'dish', 'food', 'make_reservation', 'week', 'people']

Avant :     Frankly, The Dish was one of my very special favorite small restaurants in Tucson before they moved 
Après :     ['dish', 'restaurant', 'tucson', 'move', 'street', 'seem', 'restaurant', 'owner', 'decide', 'restaurant']

Avant :     I've been here before; food's okay especially when you have an MSG craving. But this last visit surp
Après :     ['food', 'msg', 'craving', 'visit', 'food', 'surrounding', 'put', 'place', 'restaurant', 'bother']

Avant :     Second visit.  First time I thought "average food, average prices" - this could be a go to, quick, w
Après :     ['visit', 'time', 'think', 'food', 'price', 'quick', 'place', 'visit', 'notice', 'habit']

Avant :     This place was terrible. Food not good. One tray of warm food was just put on the counter not put in
Après :     ['place', 'food', 'tray', 'food', 'put', 'counter', 'put', 'buffet', 'keep', 'ice_cream']

Avant :     The service was lacking. The waiters and waitresses don't know the menu and when you ask for certain
Après :     ['service', 'lacking', 'waiter', 'waitress', 'know', 'menu', 'ask', 'thing', 'bring', 'table']

Avant :     Over price and pretentious hipster food . 4 bite of nothing on my small tasteless snapper.  The carn
Après :     ['price', 'food', 'bite', 'snapper', 'carnita', 'daughter']

Avant :     This place has wonderful ambiance and is spacious for group dining. The food and service however are
Après :     ['place', 'ambiance', 'group', 'dining', 'food', 'service', 'taste', 'come', 'kitchen', 'upstairs']

Avant :     I am sorry to complain about such a beautiful place.  The food we ordered was just lousy.    The mac
Après :     ['complain', 'place', 'food', 'order', 'cheese', 'cheese', 'flavor', 'flavorless', 'crab', 'lot']

Avant :     The venue is fantastic; a beautiful remodeling of a classic building in an easily accessible part of
Après :     ['venue', 'remodeling', 'building', 'part', 'town', 'pork', 'taco', 'portion', 'price', 'nature']

Avant :     The building is so charming, I really wanted to love this place.  The food is meh.  If you just want
Après :     ['build', 'charming', 'want', 'love', 'place', 'food', 'meh', 'want', 'beer', 'atmosphere']

Avant :     Bad experience there. Hostess sat us quickly which was nice but went downhill from there. Service wa
Après :     ['experience', 'hostess', 'sit', 'service', 'waiter', 'seem', 'food', 'serve', 'fish', 'plate']

Avant :     Terrible...don't waste your money.....staff is super rude, food is terrible...don't waste your money
Après :     ['waste_money', 'staff', 'food', 'waste_money', 'time']

Avant :     Mac cheese crab appetizer was unusual. We think we liked it. Burger had stale bread. Salads were pre
Après :     ['think', 'like', 'bread', 'salad', 'ice_tea']

Avant :     Wanted to like this place but was disappointed. 
The building and decor are nice. The service was go
Après :     ['want', 'place', 'building', 'decor', 'service', 'food', 'let', 'order', 'pork_sandwich', 'lack']

Avant :     Sat down at the bar and nobody even acknowledged us for 10 minutes so we left.  Bartender was right 
Après :     ['sit_bar', 'acknowledge', 'minute', 'leave', 'bartender', 'front']

Avant :     We went here for dinner and drinks because someone gave us a gift card.  I was REALLY excited to go.
Après :     ['dinner', 'drink', 'give', 'gift_card', 'building', 'location', 'place', 'world', 'food', 'beer']

Avant :     Very disappointed! The pictures on yelp are misleading as the don't offer mac & cheese on regular me
Après :     ['picture', 'yelp', 'misleading', 'offer', 'cheese', 'menu_item', 'menu', 'beer', 'husband', 'order']

Avant :     We spent happy hour at the Depot before a Reno Aces game.  Their appetizer selections and drink spec
Après :     ['spend', 'hour', 'reno', 'ace', 'game', 'selection', 'drink', 'special', 'hour', 'suggest']

Avant :     Food was good but pricey for what you received. Decor was not impressive, and men usually aren't tha
Après :     ['food', 'pricey', 'receive', 'man', 'drink', 'drink', 'choice', 'want', 'ice_tea', 'lemonade']

Avant :     This restaurant is beautiful inside and out but the food isn't that good and it's expensive. ZERO op
Après :     ['restaurant', 'food', 'option', 'choice', 'salad', 'depot', 'part', 'bus', 'station', 'downtown']

Avant :     My family and I stoped here on our way home at the end of our vacation! We loved the building and de
Après :     ['stop', 'way', 'home', 'end', 'vacation', 'love', 'building', 'decor', 'brewery', 'beer']

Avant :     We must have come here on an off night. Off the three appetizers and 7 entrees we ordered only a few
Après :     ['come', 'night', 'appetizer', 'entree', 'order', 'item', 'meat', 'entree', 'appetizer', 'star']

Avant :     got food poisoning right after I left the restaurant  made a reservation a few hours before and they
Après :     ['food_poisoning', 'restaurant', 'make_reservation', 'hour', 'sit', 'table', 'date', 'night', 'sit', 'community']

Avant :     Omg! Do not go here for food! I can not stress this enough. I began by ordering a coffee which they 
Après :     ['food', 'stress', 'begin', 'order', 'coffee', 'brew', 'make', 'batch', 'inform', 'milk']

Avant :     Good baked goods but very rude staff! I always try and make a trip to the bakery when I am in town f
Après :     ['good', 'staff', 'try', 'make', 'trip', 'bakery', 'town', 'thing', 'service', 'receive']

Avant :     This place is not what it used to be. The staff is anything but friendly, and the cake is mediocre a
Après :     ['place', 'use', 'staff', 'cake', 'mediocre', 'mention', 'pay', 'cake', 'size', 'neighbor']

Avant :     Shame Shame Shame, I am originally from Chalmette and usually get my King Cakes from either Randazzo
Après :     ['shame', 'shame', 'chalmette', 'king', 'cake', 'randazzos', 'haydel', 'think', 'try', 'gambinos']

Avant :     Why does it say online. Open 24/7 everyday but, there always saying the store is closed at night. Ev
Après :     ['say', 'everyday', 'say', 'store', 'night', 'drive', 'day', 'week', 'night', 'staff']

Avant :     I had the Chicken Marsala recommended by our waiter. The chicken was very thin, tough, and dry. The 
Après :     ['recommend', 'waiter', 'chicken', 'pasta', 'cook', 'stick', 'flavor', 'friend', 'order', 'layer']

Avant :     Terrible seating experience. We walked into the restaurant. Half the tables were empty (not exaggera
Après :     ['seating', 'experience', 'walk', 'restaurant', 'half', 'table', 'exaggerate', 'count', 'host', 'say']

Avant :     One of the worst places in terms of both service and food I have ever been to in my life. Absolutely
Après :     ['place', 'term', 'service', 'food', 'life', 'waiter', 'waitress', 'walk', 'food', 'warrant']

Avant :     The Eggplant-Pine Nut Ragout & Spinach Cannelloni, had no visible signs of eggplant and was loaded w
Après :     ['cannelloni', 'sign', 'eggplant', 'load', 'salt', 'group', 'say', 'meal', 'think', 'waitress']

Avant :     Surprised at how bland the food is. It was a real disappointed. Atmosphere was good and in the good 
Après :     ['food', 'atmosphere', 'neighhood']

Avant :     Unfortunately, I wasn't impressed. I had the scallops, (only 3 actually came in the dish) and aspara
Après :     ['scallop', 'come', 'glass_wine', 'date', 'veal', 'glass_wine', 'dollar', 'tip', 'price', 'meal']

Avant :     Don't get the rave on this place. Overpriced with frozen and microwavable food. Steak came back chew
Après :     ['rave', 'place', 'overprice', 'food', 'steak', 'come', 'bland', 'ask', 'chicken', 'parmagiania']

Avant :     Terrible food great location (Hyde Park)
Italian Restaurant ?the bread is Burger mini rolls???
Kids'
Après :     ['food', 'location', 'hyde', 'park', 'restaurant', 'bread', 'burger', 'roll', 'kid', 'chicken_finger']

Avant :     First time here and last time here. Really disappointed, wanted to luv this place.
Food wasn't  even
Après :     ['time', 'time', 'disappoint', 'want', 'place', 'food', 'cook', 'salad', 'star', 'martini']

Avant :     The food is good but be warned. If you would like to have a conversation inside Timpano don't go for
Après :     ['food', 'good', 'warn', 'like', 'conversation', 'lunch', 'singer', 'guitarist', 'perform', 'way']

Avant :     I was excited to eat at Timpano. We were seated outside which has nice ambience, the only good part 
Après :     ['eat', 'timpano', 'seat', 'ambience', 'part', 'restaurant', 'order', 'steak', 'broccoli', 'steak']

Avant :     I used to go here on a weekly basis, but as of lately I don't see the point. They have discontinued 
Après :     ['use', 'basis', 'see', 'point', 'discontinue', 'oyster', 'night', 'food', 'price', 'receive']

Avant :     This restaurant is a complete bait and switch, after ordering their brunch deal they informed us you
Après :     ['restaurant', 'bait', 'switch', 'order', 'brunch', 'deal', 'inform', 'drink', 'liquor', 'vodka']

Avant :     I have been here a few times and have enjoyed it, however, brunch today was a bad experience. As som
Après :     ['time', 'enjoy', 'brunch', 'today', 'experience', 'try', 'eat', 'ish', 'item', 'brunch']

Avant :     Okay.  So it's always been a fantasy of mine to experience Italian food through a drive thru.

Now I
Après :     ['fantasy', 'mine', 'experience', 'food', 'drive', 'thru', 'know', 'fettucini', 'alfredo', 'stick']

Avant :     Sloooooooooowwwwwwww. 7:30 on a Saturday. Only 3 groups of folks in the whole place and it still too
Après :     ['group', 'folk', 'place', 'take', 'minute', 'food']

Avant :     If you've never been to a Fazoli's, you haven't missed much. The concept doesn't seem to be too diff
Après :     ['fazoli', 'miss', 'concept', 'seem', 'price', 'niche', 'mean', 'ingredient', 'quality', 'reason']

Avant :     I've ordered from here for years, they always delivered . Knowing I live 3 minutes maximum away and 
Après :     ['order', 'year', 'deliver', 'know', 'minute', 'car', 'break', 'refuse', 'deliver', 'customer']

Avant :     The pretty friendly employees appear to be so ashamed of the pink slabs of mystery deli meats --- Wh
Après :     ['employee', 'appear', 'slab', 'mystery', 'deli', 'meat', 'prosciuttini', 'cheese', 'try', 'view']

Avant :     Standard chain buffet.  The salad in the salad bar did seem fresh and the "new" wings were pretty go
Après :     ['chain', 'buffet', 'salad', 'salad', 'bar', 'seem', 'wing']

Avant :     A co worker dragged me here while on travel.  It was OK....  I tried the steak and it was RAW.  I li
Après :     ['drag', 'travel', 'try', 'steak', 'steak', 'steak', 'eat', 'look', 'broil', 'fish']

Avant :     Great food, awful service. I ordered online at 6:20, site said it would be ready at 6:40. I get ther
Après :     ['food', 'service', 'order', 'site', 'say', 'ready', 'expect', 'wait', 'couple', 'minute']

Avant :     Food is good but service is not good at all.. The guy who is working there is totally lazy and he wo
Après :     ['food', 'service', 'guy', 'work', 'come', 'ask', 'water']

Avant :     I am from NYC  and Indian is my go to comfort food. This was the first time at EKTA and it will be m
Après :     ['time', 'ekta', 'last', 'food', 'service', 'time', 'lack', 'service', 'eat', 'food']

Avant :     Food took a long time to arrive. It tasted okay, but it wasn't very authentic, and it was somewhat b
Après :     ['food', 'take', 'time', 'arrive', 'taste', 'ambience']

Avant :     My wife and I decided to come here because they had some different stuff on the menu, for instance "
Après :     ['wife', 'decide', 'come', 'stuff', 'menu', 'instance', 'flour', 'dumpling', 'fill', 'fruit']

Avant :     Very poor food service and rice was not good.

We ordered the paneer and it looks as if it was just 
Après :     ['food', 'service', 'rice', 'order', 'paneer', 'look', 'warm', 'microwave', 'give', 'eat']

Avant :     John Asshole (it shows up as John A so who really knows) says anyone that has a negative review abou
Après :     ['show', 'know', 'say', 'review', 'place', 'stupid', 'know', 'food', 'freeze', 'pizza']

Avant :     quite the professional response Caroline.

yes i do have quite a palate. eating off the streets of M
Après :     ['response', 'eat', 'street', 'year', 'make', 'critic', 'freak', 'salt', 'understand', 'lamb']

Avant :     Walked in at 11 on a saturday. There were 10 open tables but was told they wouldnt take walk ins bec
Après :     ['walk', 'table', 'tell', 'take', 'walk', 'computer', 'try', 'come']

Avant :     Food was good but for an 8pm reservation we were given our table 840pm. What's even better is that w
Après :     ['food', 'pm', 'reservation', 'give', 'table', 'people', 'table', 'hostess', 'tell', 'ask']

Avant :     Excellent food, very good service.  Only two stars because dinner at least is outrageously expensive
Après :     ['food', 'service', 'star', 'dinner', 'buck', 'lamb', 'size', 'bowl', 'cereal', 'mean']

Avant :     We were made to wait 30 min and even then the table was not set up. The hostess was condescending an
Après :     ['make', 'wait_min', 'table', 'set', 'hostess', 'condescend', 'apologize', 'seat', 'guest', 'leave']

Avant :     Seating issues despite a reservation caused us to leave, despite a prior positive visit. We were giv
Après :     ['seat', 'issue', 'reservation', 'cause', 'leave', 'visit', 'give', 'choice', 'cramp', 'corner']

Avant :     I was so tempted to order from here, but I saw one of the staff members repeatedly grab a food item 
Après :     ['tempt', 'order', 'see', 'staff_member', 'grab', 'food', 'item', 'parchment', 'paper', 'lime']

Avant :     The food and pricing was fine. However, there was a picture of Trump and a positive article about hi
Après :     ['food', 'pricing', 'picture', 'trump', 'article', 'tape', 'wall', 'restaurant', 'view']

Avant :     This place is terrible. The restaurant itself is very dirty and obviously not well maintained. The s
Après :     ['place', 'restaurant', 'dirty', 'maintain', 'service', 'waitress', 'say', 'food', 'portion', 'sub']

Avant :     Cute little diner and I was so hoping it would be good.  
I had coffee, two eggs, bacon, toast with 
Après :     ['diner', 'hoping', 'coffee', 'egg_bacon', 'toast', 'hash', 'egg_bacon', 'stone', 'fry', 'butter']

Avant :     Tried to go at noon on a Monday. They were closed. No hours posted and their phone was disconnected.
Après :     ['try', 'noon', 'close', 'hour', 'post', 'phone', 'disconnect', 'suspect', 'shut', 'monday']

Avant :     Fool me once, shame on you.  Fool me FOUR TIMES, shame on me!

I don't know why we keep revisiting L
Après :     ['fool', 'time', 'shame', 'know', 'keep', 'revisit', 'land', 'smile', 'wait', 'know']

Avant :     Hello. I was there last night with my family.  Fist time we been there.  I order shrimps my wife por
Après :     ['night', 'family', 'fist', 'time', 'order', 'shrimp', 'wife', 'pork', 'loin', 'tamal']

Avant :     After reading a bunch of reviews I decided that this was the place to try. It certainly is not in a 
Après :     ['read', 'bunch', 'review', 'decide', 'place', 'try', 'part', 'city', 'restaurant', 'side']

Avant :     What a terrible place. I guess it's good for small town standards but honestly you're better off eat
Après :     ['place', 'guess', 'town', 'standard', 'eat', 'mcdonald', 'fly', 'water', 'salad', 'burger']

Avant :     Fries soggy and cold, cheese steak cold,  45 mins late and I only live a quarter mile away.  Absolut
Après :     ['fry_soggy', 'cheese_steak', 'min', 'quarter', 'mile', 'delivery_driver', 'afternoon']

Avant :     Ordered a cheesesteak and seasoned fries delivered from a few blocks away, it wasn't cheap and the f
Après :     ['order', 'cheesesteak', 'fry', 'deliver', 'block', 'fry', 'season', 'part', 'delivery_guy', 'rob']

Avant :     Ordered from them at 9 on a Monday from grub hub, food never showed.. Don't order from this dump..it
Après :     ['order', 'show', 'order', 'dump', 'thing', 'order', 'show', 'charge', 'grub_hub', 'show']

Avant :     Do Not Eat On Bourbon St....advice from the locals I wish we had before we stopped here.

Would have
Après :     ['eat', 'bourbon', 'advice', 'local', 'wish', 'stop', 'star', 'food', 'service', 'alright']

Avant :     The food is good, but the service sucks!    It took them 15 minutes before anybody check on us.   An
Après :     ['food', 'service', 'suck', 'take', 'minute', 'check', 'minute', 'food', 'arrive', 'server']

Avant :     One star for location, another for our great waiter, Milton.  No stars for the food.

Our group of 4
Après :     ['star', 'location', 'waiter', 'food', 'group', 'decide', 'grab', 'bite', 'oyster', 'po_boy']

Avant :     We went in for lunch and the food was tasty but our waitress ignored us the whole time we were there
Après :     ['lunch', 'food', 'waitress', 'ignore', 'time', 'pull', 'assist', 'waitress', 'chat', 'bar']

Avant :     The BBQ shrimp was almost too salty to eat but the food was helped out by the horrible service. At l
Après :     ['eat', 'food', 'help', 'service', 'meal', 'experience', 'repeat']

Avant :     Waited 10 minutes to be seated.  No one seated us.  Found a seat.  Was rudely thrown out for having 
Après :     ['wait_minute', 'seat', 'seat', 'find', 'seat', 'throw', 'drink', 'service', 'result', 'waste']

Avant :     Stopped in late night and had delicious char grilled oysters. Wanted to have my fiancée experience t
Après :     ['stop', 'night', 'grill', 'oyster', 'want', 'fiancee', 'experience', 'oyster', 'day', 'waiter']

Avant :     Horrible, 

Was advised to sit at the bar to wait for a seat. Then was told to reserve a seat you mu
Après :     ['advise', 'sit_bar', 'wait', 'seat', 'tell', 'reserve', 'seat', 'wait', 'unprofessional', 'advise']

Avant :     We stayed at Royal Sonesta and ate at Desire several times through the years. Had favorites    Their
Après :     ['stay', 'sonesta', 'eat', 'desire', 'time', 'year', 'favorite', 'stuff', 'oyster', 'bbq']

Avant :     wow what a disgrace that such an establishment that had the best oysters in town changed the menu up
Après :     ['disgrace', 'establishment', 'oyster', 'town', 'change', 'menu', 'grill', 'oyster', 'rid', 'sauce']

Avant :     Sat at the bar during happy hour for the $1 oysters. The restaurant was not busy at all--probably ha
Après :     ['sit_bar', 'hour', 'oyster', 'restaurant', 'group', 'dining', 'bartender', 'take', 'time', 'bring']

Avant :     Not impressed with the food quality. I ordered the Jambalaya Skillet, and it was just an overwhelmin
Après :     ['impress', 'food', 'quality', 'order', 'skillet', 'amount', 'cheese', 'shrimp', 'devein', 'sausage']

Avant :     HIGHS AND LOWS-had a great roast beef po-boy on FRI-sat-ate with wife-great gumbo,split combo fried 
Après :     ['low', 'roast_beef', 'eat', 'wife', 'gumbo', 'split', 'combo', 'fry', 'oyster', 'fry']

Avant :     My friends and I stopped by this place when we were visiting Bourbon Street. We ordered the fried al
Après :     ['friend', 'stop', 'place', 'visit', 'bourbon', 'street', 'order', 'fry', 'alligator', 'provide']

Avant :     This was not worth the drive for me. Other reviewers let me down. Pupusas suck. Meat was dry and old
Après :     ['drive', 'reviewer', 'let', 'pupusa', 'suck', 'meat', 'orchata', 'waitress', 'terrible', 'take']

Avant :     They're ice cream machine is consistently broken during Half Priced shakes. Something is always brok
Après :     ['ice_cream', 'machine_break', 'half', 'price', 'shake', 'break', 'work']

Avant :     Had yellowtail and salmon maki sushi. The rolls were tasty, and decently sized, but the fish ratio w
Après :     ['fish', 'ratio', 'dwarf', 'cucumber', 'ratio', 'piece', 'roll', 'say', 'place', 'place']

Avant :     Picked up the same lunch special I enjoyed in the restaurant this past Saturday on my way to the Bol
Après :     ['pick', 'lunch', 'enjoy', 'restaurant', 'bolt', 'bus', 'disappoint', 'salmon', 'spoil', 'miso_soup']

Avant :     Service was fine and it's nice that it's a BYO but I was super disappointed with the sushi here. It 
Après :     ['service', 'byo', 'taste', 'see', 'day', 'tuna', 'hide', 'sub', 'fish', 'spicy']

Avant :     Just went in for the Saturday lunch special (10/14) and ordered the two roll special - 2 spicy tuna 
Après :     ['lunch', 'order', 'roll', 'spicy', 'tuna_roll', 'eel', 'avocado', 'roll', 'avocado', 'rotten']

Avant :     This place closed a few months ago.  I have on good authority that the owner of the Quarterview Rest
Après :     ['place', 'close', 'month', 'authority', 'owner', 'opening', 'bar', 'location']

Avant :     Smells like something burnt in here. Full Montegu sandwich was good, but I am used to bigger sandwic
Après :     ['smell', 'burn', 'montegu', 'sandwich', 'use', 'sandwich', 'price', 'impress', 'want', 'come']

Avant :     She said...."just like all the other reviews, one star. I would not recommend this place to anyone, 
Après :     ['say', 'review', 'star', 'recommend', 'place', 'back', 'club', 'come', 'burn', 'slice']

Avant :     Really wanted to find a good sandwich shop (aside from the great Cubans around town), but have to ke
Après :     ['want', 'find', 'sandwich', 'shop', 'cuban', 'town', 'keep', 'look', 'sandwich', 'bland']

Avant :     Walked in and sat down. Some tall skinny bartender gave attitude. I got up and walked out.
If the ma
Après :     ['walk', 'sit', 'bartender', 'give', 'attitude', 'walk', 'manager', 'read', 'dude', 'lose']

Avant :     Save your money and time. The drinks are weak, the tables are sticky, the floors were dirty. It's de
Après :     ['save_money', 'time', 'drink', 'table', 'floor', 'place', 'represent', 'ybor', 'city', 'staff']

Avant :     Very nice bartender but he really was rather clueless. For a bar that advertises its large selection
Après :     ['bartender', 'bar', 'advertise', 'selection', 'understand', 'order', 'move', 'serve', 'margarita', 'come']

Avant :     Nice view but just recommended drinks.  Chips are stale and soft tocos fell apart, not fresh food.  
Après :     ['view', 'recommend', 'drink', 'chip', 'tocos', 'fall', 'food', 'eat']

Avant :     Took over 30minutes to get noticed and get first drink order.  Took over 30minutes to get a 2nd drin
Après :     ['take', 'minute', 'notice', 'drink', 'order', 'take', 'minute', 'drink', 'point', 'decide']

Avant :     Everyone talks about Eegee's so we saw one and popped in. The sandwiches were meh, the ice was meh, 
Après :     ['talk', 'eegee', 'see', 'pop', 'sandwich', 'ice', 'meh', 'place', 'staff', 'stop']

Avant :     When I specifically ask for extra ranch, and you don't give me extra ranch... You fail. I was also a
Après :     ['ask', 'ranch', 'give', 'ranch', 'fail', 'ask', 'pull', 'fry', 'eegee', 'life']

Avant :     ive tried going here four times with no success because the drive tru takes so long that i have pull
Après :     ['try', 'time', 'success', 'drive', 'take', 'pull', 'time', 'job', 'idiot']

Avant :     You get to wait 20 minutes even when first in line at the drive thru window. Now worth it - even of 
Après :     ['wait_minute', 'line', 'drive', 'window', 'worth', 'fry', 'die']

Avant :     This is one of the worst McDonalds on ever been to it's so dirty the food is horrible customer servi
Après :     ['mcdonald', 'food', 'customer_service', 'pit', 'mcdonald', 'eat']

Avant :     Ruth's Chris prices for Red Lobster quality. Went with the boyfriend 2 yrs ago and it was phenomenal
Après :     ['quality', 'boyfriend', 'year', 'force', 'set', 'menu', 'guest', 'gratuity', 'person', 'table']

Avant :     We went for valentines dinner.. reservation was at 7 pm . We did get in at 7 pm however we did not g
Après :     ['valentine', 'dinner', 'reservation', 'drink', 'course', 'call', 'keg', 'see', 'come', 'dinner']

Avant :     I've been to a few Waffle Houses and today's experience would be in the not so great stack. Even tho
Après :     ['waffle', 'house', 'today', 'experience', 'stack', 'couple', 'customer_service', 'waffle', 'overdone', 'think']

Avant :     The sand pie (pizza) here used to be good and cheap. They've upped the price so it's not the bargain
Après :     ['sand', 'pie', 'pizza', 'use', 'price', 'bargain', 'eat', 'half', 'sand', 'pie']

Avant :     I've had their pizza probably a dozen times or so.  I'm almost afraid to post this review seeing how
Après :     ['pizza', 'dozen', 'time', 'review', 'see', 'feedback', 'money', 'suppose', 'deal', 'pizza']

Avant :     This is the worst place to order from. They promised a delivery by 130am when I called, it is now 3a
Après :     ['place', 'order', 'promise', 'delivery', 'call', 'provide', 'pizza', 'order', 'wait', 'door']

Avant :     25 Sep 2018

We went in and found the establishment was worn. It was difficult to read the menu. The
Après :     ['find', 'establishment', 'wear', 'read', 'menu', 'menu', 'say', 'purchase', 'piece', 'counter']

Avant :     The drive thru worker, her name was Ashton, completely rolled her eyes at me when I asked for barbec
Après :     ['drive', 'worker', 'name', 'ashton', 'roll_eye', 'ask', 'barbecue_sauce', 'come', 'outta', 'paycheck']

Avant :     Last time:  This is the second and last time my wife and I visit this place.  We were the ONLY table
Après :     ['time', 'time', 'wife', 'visit', 'place', 'table', 'take', 'waitress', 'minute', 'order']

Avant :     We ate at Giordano,s Wednesday night and shared a small sausage, pepperoni and mushroom pizza. It wa
Après :     ['eat', 'giordano', 'night', 'share', 'sausage', 'pepperoni', 'mushroom', 'pizza', 'cheese', 'topping']

Avant :     Ordered takeout for a dinner with friends i was hosting and showed up on the later side of the range
Après :     ['order', 'takeout', 'dinner', 'friend', 'host', 'show', 'side', 'range', 'indicate', 'pickup']

Avant :     My personal lunch combo pizza was barely warmer than room temperature. The fries were cold and stale
Après :     ['lunch', 'combo', 'pizza', 'room_temperature', 'fry', 'thing', 'table', 'service', 'server', 'location']

Avant :     This is a restaurant. The food was ok, the service was incredibly slow. This is not a place I would 
Après :     ['restaurant', 'food', 'service', 'place', 'expect', 'spend', 'hour']

Avant :     Tried eating here tonight, but exhausted myself waiting on a glass of wine and water; much less my m
Après :     ['try', 'eat', 'tonight', 'exhaust', 'wait', 'glass_wine', 'water', 'word', 'waiting', 'chain']

Avant :     I had placed an order on line and asked for the order to be delivered at 10 pm. I had waited standin
Après :     ['place', 'order', 'line', 'ask', 'order', 'deliver', 'wait', 'stand', 'wait', 'order']

Avant :     I enjoyed this pizza in Chicago, 86th st but this location has terrible staffing issues! I went in t
Après :     ['enjoy', 'staffing', 'issue', 'today', 'call', 'make_reservation', 'pie', 'make', 'waitress', 'yell']

Avant :     The 12 year old manager is rude and dismissive. Pizza was slower than normal (guess they use differe
Après :     ['year', 'manager', 'rude', 'pizza', 'guess', 'use', 'oven', 'ask', 'year', 'walk']

Avant :     Holy crap! 1 1/2 hours to get a pizza once we sat down. I had to ask for water three times. The serv
Après :     ['hour', 'pizza', 'sit', 'ask', 'water', 'time', 'service', 'part', 'care', 'staff']

Avant :     I don't care how good the pizza is!  We are still waiting for our pizza 90 minutes after ordering it
Après :     ['care', 'pizza', 'wait', 'pizza', 'minute', 'order', 'know', 'take', 'bake', 'wait']

Avant :     The Pizza is great but the service and management is sub par.  I live right across the street from G
Après :     ['service', 'management', 'sub_par', 'street', 'giordano', 'order', 'pizza', 'tell', 'time', 'arrive']

Avant :     Food was good, but overpriced.  Sandwiches came with stale chips.  Although we didn't try any, the b
Après :     ['food', 'overprice', 'sandwich', 'come', 'chip', 'try', 'beer', 'glass', 'house', 'chardonnay']

Avant :     Wow! The bread was awesome but the service and food was less desirable. The bartenders were a bit mo
Après :     ['bread', 'service', 'food', 'bartender', 'bit', 'shot', 'take', 'care', 'pay', 'salad']

Avant :     So I'll start with a couple of positives. I loved the bacon bucket, nice TV's, and ok beer.  That sa
Après :     ['start', 'couple', 'positive', 'love', 'bacon', 'bucket', 'tv', 'beer', 'say', 'service']

Avant :     They overcharged me then didn't update my bill. Their beers are just ok and overpriced. Not been her
Après :     ['update', 'bill', 'beer', 'overprice']

Avant :     We ordered hamburgers and had to take the aweful meat off just to stomach it. Waiter apolgized but s
Après :     ['order', 'hamburger', 'take', 'meat', 'stomach', 'waiter', 'apolgize', 'charge', 'price', 'top']

Avant :     Pretty good location, but the food wasn't good at all.  Avoid the chicken breast sandwich.    It was
Après :     ['location', 'food', 'avoid', 'chicken_breast', 'sandwich', 'rubbery']

Avant :     We went here even after reading the bad reviews thinking it couldn't be that bad.  Well, it is that 
Après :     ['read_review', 'think', 'service', 'food', 'garbage']

Avant :     Very disappointed. The service was very slow.  We ordered two burgers cooked medium & they were well
Après :     ['service_slow', 'order', 'burger', 'cook', 'medium', 'fish', 'food', 'look', 'hang', 'drink']

Avant :     Great view and spot but obviously struggling. Went years ago and loved it returned the other night a
Après :     ['view', 'spot', 'struggle', 'year', 'love', 'return', 'night', 'food', 'work', 'service']

Avant :     Service is suuuuuper slow with not many patrons. Restaurant is filthy, layers and layers of dust on 
Après :     ['service', 'suuuuuper', 'slow', 'patron', 'restaurant', 'layer', 'layer', 'dust', 'air', 'return']

Avant :     First visit wasn't anything to write home about but stopped in for appetizers. The calamari was awfu
Après :     ['visit', 'write_home', 'stop', 'appetizer', 'ask', 'ignore', 'management']

Avant :     Service was good, food was ok. Some items are better then others. Will think twice about stopping in
Après :     ['service', 'food', 'item', 'think', 'stop']

Avant :     I went to Gators Dec.10 to enjoy some holiday time and watch the boats in the parade and have dinner
Après :     ['gator', 'enjoy', 'holiday', 'time', 'watch', 'boat', 'parade', 'dinner', 'approach', 'man']

Avant :     I was denied service dog access by the manager the Sunday before the last. I had documentation of hi
Après :     ['deny', 'service', 'dog', 'access', 'manager', 'documentation', 'service', 'deny', 'access', 'say']

Avant :     Service is horrible
Food was mediocre 
Seating was blah, sat by the restrooms
Will NOT return

*heed
Après :     ['service', 'food', 'seating', 'blah', 'sit', 'restroom', 'return', 'heed', 'warning']

Avant :     This place is the absolute worst in the area. Awful food and even worse management. I'd recommend an
Après :     ['place', 'area', 'food', 'management', 'recommend', 'area', 'gator']

Avant :     Don't come here for football. No sound, no Sunday ticket. Food prices are way too high.  We asked fo
Après :     ['come', 'football', 'sound', 'ticket', 'food', 'price', 'ask', 'tv', 'volume', 'turn']

Avant :     Being a Gator fan I was hoping for a little more out of this place. Food was ok... drinks were ok. A
Après :     ['fan', 'hope', 'place', 'food', 'ok', 'drink', 'atmosphere', 'college', 'football', 'game']

Avant :     Since they changed management 4 years ago, UPPER management has done a horrible job with this joint!
Après :     ['change', 'management', 'year', 'management', 'job', 'owner', 'update', 'music', 'website', 'month']

Avant :     This was the no-frills best waterfront bar in the world!  The new owners have made it a bit of a tou
Après :     ['frill', 'waterfront', 'bar', 'world', 'owner', 'make', 'bit', 'tourist_trap', 'remove', 'picnic']

Avant :     Great food, but slow service. 

We walked in and seated right away, ordered drinks and food immediat
Après :     ['food', 'service', 'walk', 'seat', 'order', 'drink', 'food', 'wait', 'hour', 'food']

Avant :     Go to Umai in North Wales which is 10X better than Hachi.

The food here is inconsistent which is no
Après :     ['food', 'inconsistent', 'sign', 'restaurant', 'server', 'staff', 'food', 'take', 'come', 'minute']

Avant :     I tell you the truth... Very poor service. Also there are little flies in the restaurant. Disgusting
Après :     ['tell', 'truth', 'service', 'fly', 'restaurant', 'disgusting', 'see', 'fly', 'give_star', 'food']

Avant :     This was my first time at Cheddars. When I walked in the hostess tried to seat us in an area with se
Après :     ['time', 'cheddar', 'walk', 'hostess', 'try', 'seat', 'area', 'table', 'pile', 'use']

Avant :     The restaurant was empty 7:30 Pm on a Tuesday night , less than half  full,  but a thirty minute wai
Après :     ['restaurant', 'night', 'minute', 'wait', 'leave', 'table', 'look']

Avant :     Used to be one of my favorite places to eat back around 2010-2012 but I went for the last time. I un
Après :     ['use', 'place', 'eat', 'time', 'understand', 'budget', 'cut', 'mean', 'sacrifice', 'food']

Avant :     Ate here for the first time in about a year. I know why. The food here is mediocre at best and the s
Après :     ['eat', 'time', 'year', 'know', 'food', 'service_slow', 'tender', 'mash_potato', 'bean', 'rib']

Avant :     Over priced!  Two scallops $11. Pizza burned on rim and soft undercooked in center.  Very small meal
Après :     ['price', 'scallop', 'pizza', 'burn', 'rim', 'center', 'meal', 'portion', 'price']

Avant :     We made a reservation to go here with our children on Sunday evening solely based on the high Yelp r
Après :     ['make_reservation', 'child', 'evening', 'base_yelp', 'rating', 'understatement', 'price', 'bite', 'pasta', 'state']

Avant :     $11 for 3, count 'em 3!  Ravioli's?  REALLY!?  small plate portions should not cost that much.  It a
Après :     ['count', 'plate', 'portion', 'cost', 'amaze', 'people', 'rave', 'place', 'notice', 'care']

Avant :     Spent a nice evening there with friends. The white sangria was goos and so was the (very small) port
Après :     ['spend', 'evening', 'friend', 'portion', 'pea', 'tortellini', 'pasta', 'appetizer', 'artichoke', 'octopus']

Avant :     For the price-which is not cheap for a pizzeria- this place falls far below average. Food was not ve
Après :     ['price', 'pizzeria', 'place', 'fall', 'food', 'good', 'time', 'group', 'staff', 'number']

Avant :     This place is an f-ing joke!  The food tastes good but the small portions are ridiculous.  You could
Après :     ['place', 'joke', 'food', 'taste', 'portion', 'spend', 'person', 'feel', 'eat', 'meal']

Avant :     They claim to be open until 11:00 on Friday's. Came tonight at 10:25 and the door was locked, hostes
Après :     ['claim', 'come', 'tonight', 'door_lock', 'hostess', 'shrug', 'mouthed', 'close', 'business', 'practice']

Avant :     Won't be going here again. Came in for an early dinner with my boyfriend and was ignored by the staf
Après :     ['come', 'dinner', 'boyfriend', 'ignore', 'staff', 'minute', 'customer', 'seat', 'rude', 'choose']

Avant :     Went here for lunch today and really was not impressed with the food or the service.  Pizza is way t
Après :     ['lunch_today', 'impress', 'food', 'service', 'pizza', 'way', 'burn', 'taste', 'husband', 'use']

Avant :     We have been to In Riva several times and genuinely enjoy the food and vibe. Yet, their service is w
Après :     ['riva', 'time', 'enjoy', 'food', 'vibe', 'service', 'par', 'night', 'party', 'seat']

Avant :     I'm not sure what is made to order or pre-made or made in house. They were unable to make anything f
Après :     ['make', 'order', 'pre_make', 'make', 'house', 'make', 'alter', 'allergy', 'restaurant', 'make']

Avant :     I really wanted to like this place! Super hip ambiance but poor execution with the food and subpar s
Après :     ['want', 'place', 'hip', 'ambiance', 'execution', 'food', 'service', 'pizza', 'undercooke', 'mess']

Avant :     Ehhhhhh food was ok. TINY portions. There was literally five normal size tortellini on the plate. 5.
Après :     ['food', 'ok', 'portion_size', 'tortellini', 'plate']

Avant :     Can I do a 0 or -1!? Wow we live 2 mins away it's cold and doughy they didn't even cook it long enou
Après :     ['min', 'doughy', 'cook', 'put', 'finish', 'stay', 'shit', 'hole']

Avant :     Don't. Just don't.  
Pizza was doughy and full of flour on the bottom, toasted ravioli and chicken s
Après :     ['pizza', 'flour', 'bottom', 'toast', 'chicken_strip', 'second', 'sauce', 'sandwich', 'mastermind', 'put']

Avant :     The restaurant decor is gorgeous and nicely done.  We ordered drinks....the bourbon mix was alright.
Après :     ['restaurant', 'decor', 'order', 'drink', 'bourbon', 'mix', 'alright', 'drink', 'lavender', 'replacement']

Avant :     Of course we are from out of town. Drove by it alot so we stopped and tryed it, the food was great t
Après :     ['course', 'town', 'drive', 'alot', 'stop', 'try', 'food', 'atmosphere', 'rudest', 'waitress']

Avant :     Stopped in for lunch. Had the patty melt. Like most places all bun and no meat. Homemade chips are d
Après :     ['stop_lunch', 'patty', 'melt', 'place', 'bun', 'meat', 'chip', 'service']

Avant :     We ordered over 150.00 worth of food today takeout.  I complained that the wings were dry, and that 
Après :     ['order', 'food', 'today', 'complain', 'wing', 'order', 'sause', 'grant', 'hour', 'sit']

Avant :     Worst lunch time stop ever. Slow food, small portions for high prices, slow service, but the servers
Après :     ['lunch', 'time', 'stop', 'slow', 'food', 'portion', 'price', 'slow', 'service', 'server']

Avant :     First time eating at a checkers. Two adults 3 kids and we needed a minute to decide what to eat. The
Après :     ['time', 'eat', 'checker', 'adult', 'kid', 'need', 'minute', 'decide', 'eat', 'person']

Avant :     I had the chili dogs at this location, And they were absolutely disgusting. I repeat DISGUSTING!!! n
Après :     ['dog', 'location', 'repeat', 'taste', 'mustard', 'chili', 'eat', 'give', 'partner', 'like']

Avant :     Sorry for late review went about 3 weeks ago.  Disappointed.  Ordered two meat platter.  Pulled pork
Après :     ['review', 'week', 'disappoint', 'order', 'meat', 'platter', 'pull_pork', 'brisket_pull', 'pork', 'brisket_pull']

Avant :     First, this place is a mess. A dirty hole in the wall. And I know that doesn't always mean the place
Après :     ['place', 'hole', 'wall', 'know', 'mean', 'place', 'case', 'judge', 'book', 'cover']

Avant :     The food wasn't terrible. I had the spinach and artichoke dip (delicious, they poured a hefty amount
Après :     ['food', 'spinach_artichoke', 'pour', 'amount', 'olive_oil', 'bread', 'chicken', 'cook', 'pasta', 'sub_par']

Avant :     We seen this place on Bizarre Foods where Andrew had the menudo and said he liked it.  We were heade
Après :     ['see', 'place', 'food', 'say', 'like', 'head', 'make', 'point', 'stop', 'mistake']

Avant :     My girlfriend and I stopped by a week ago to eat.  We both got the teriyaki steak sandwich and two d
Après :     ['girlfriend', 'stop', 'week', 'eat', 'steak', 'sandwich', 'drink', 'steak', 'middle', 'window']

Avant :     Don't go to this one! Every time I visit this Habit I get sick. My sandwich tasted like it was smoth
Après :     ['time', 'visit', 'habit', 'sandwich', 'taste', 'grease', 'leave', 'roof', 'mouth', 'tooth']

Avant :     This place would be ok if they would use utensils when handling food.  When you see the guys fingers
Après :     ['place', 'ok', 'use', 'handle', 'food', 'see', 'guy', 'finger', 'touch', 'add']

Avant :     Overpriced and completely overwhelming.  Don't bother.
Après :     ['overprice', 'bother']

Avant :     I haven't seen the book, but I think hotchickswithdouchebags.com is a hilarious website that.... Oop
Après :     ['see', 'book', 'think', 'com', 'website', 'oop', 'forget', 'confuse', 'see', 'enjoy']

Avant :     OVERRATED !!!!!!!!!!!!!!!.......SKIP THIS PLACE...Poorly run and managed.  Bad experience having mad
Après :     ['place', 'run', 'manage', 'experience', 'make_reservation', 'seat', 'minute', 'leave', 'speak', 'hostess']

Avant :     I'm sorry to say that I can't give more than 2 stars. This used to be my favorite pizza shop in Levi
Après :     ['say', 'give_star', 'use', 'pizza', 'shop', 'levittown', 'price', 'hike', 'ruse', 'staff']

Avant :     if I could give no stars parkway would get no stars  every time we order from this dump they get the
Après :     ['give_star', 'parkway', 'star', 'time', 'order', 'dump', 'order', 'onion', 'tell', 'onion']

Avant :     Skip this train wreck if you are looking for dinner.  Our server was clueless...like we seriously th
Après :     ['skip', 'train', 'wreck', 'look', 'dinner', 'server', 'clueless', 'think', 'lose', 'restaurant']

Avant :     We went for lunch on Saturday.  They only serve from a brunch menu.  It was very disappointing.  The
Après :     ['lunch', 'serve', 'brunch', 'menu', 'disappointing', 'need', 'think', 'brunch', 'menu', 'serve']

Avant :     I order the bone in ribeye fit market value. The steak was undercooked and waitress could car less. 
Après :     ['order', 'bone', 'ribeye', 'fit', 'market', 'value', 'steak', 'waitress', 'car', 'return']

Avant :     Staff was very nice and helpful but we were extremely disappointed with the food. We ordered Eggplan
Après :     ['staff', 'food', 'order', 'eggplant', 'taste', 'come', 'section', 'grocery_store', 'spaghetti', 'sauce']

Avant :     The service at Ava was wonderful but the entree salad I ordered was at best a starter size. My husba
Après :     ['salad', 'order', 'size', 'husband', 'order', 'burger', 'come', 'cook', 'way', 'overload']

Avant :     Nice vibe and good energy but service was way too slow.  Took almost 45 minutes to tell us they did 
Après :     ['vibe', 'energy', 'service', 'way', 'take', 'minute', 'tell', 'wine', 'order', 'food']

Avant :     Mediocre at best. We just spent $100 on a bottle of wine and five appetizers and it was totally unde
Après :     ['spend', 'bottle_wine', 'appetizer', 'underwhelme', 'duck', 'appetizer', 'skin', 'appetizer', 'cook', 'vegetable']

Avant :     3 for food.  1-2 for service at the bar.  Bar tender was less than attentive.  Had to wait to order,
Après :     ['food', 'service', 'bar', 'bar_tender', 'wait', 'order', 'wait', 'attention', 'regard', 'order']

Avant :     Uh, no thanks.  I can't say anything bad about the service but I will not be returning.  $42 for hal
Après :     ['thank', 'say', 'service', 'return', 'bowl', 'pasta', 'neck', 'clam', 'pizza', 'wife']

Avant :     Wow.  Disapointing.  I had heard mixed reviews despite the rave reviews in the paper which I now won
Après :     ['disapointing', 'hear', 'review', 'rave_review', 'paper', 'wonder', 'writer', 'relate', 'ava', 'know']

Avant :     Bummer! This restaurant is in a great location with nice outside seating, but the food and service w
Après :     ['location', 'seat', 'food', 'service', 'bueno', 'pizza', 'come', 'burn', 'crust']

Avant :     Mother's Day Brunch was NOT what we expected. We were party of ten and able to made reservation for 
Après :     ['brunch', 'expect', 'party', 'make_reservation', 'menu', 'mother_day', 'food', 'service', 'sub', 'waffle']

Avant :     Had dinner on Friday night and we were charged $3 for 3 pieces of bread to start with. Our server de
Après :     ['dinner', 'night', 'charge', 'piece', 'bread', 'start', 'server', 'decide', 'wipe', 'mouth']

Avant :     The food is honestly decent, however their customer service is unacceptable. I received an erroneous
Après :     ['food', 'customer_service', 'receive', 'charge', 'amount', 'addition', 'charge', 'take', 'day', 'call']

Avant :     First time coming and the last time this place sucks
I bought spaghetti and meatballs and a margarit
Après :     ['time', 'come', 'time', 'place', 'suck', 'buy', 'spaghetti_meatball', 'meatball', 'taste', 'margarita']

Avant :     The food wasn't great. It's a limited menu, and when asked if we could do a variation on a dish we w
Après :     ['food', 'menu', 'ask', 'variation', 'tell', 'chef', 'change', 'dish', 'seem', 'customer_service']

Avant :     We had high expectations given the other claims and reviews for this restaurant and its owners.
The 
Après :     ['expectation', 'give', 'claim', 'review', 'restaurant', 'owner', 'grill', 'vegetable', 'appetizer', 'service']

Avant :     This is a lovely restaurant, but unfortunately they did not have a wide enough selection for me.  No
Après :     ['restaurant', 'selection', 'vegetable', 'option', 'menu', 'try', 'pizza', 'give', 'try']

Avant :     I was expecting so much from this place... The food was nothing short of chef boyardee out of the ca
Après :     ['expect', 'place', 'food', 'chef', 'boyardee', 'pasta', 'keep', 'washing', 'water']

Avant :     The armature works location thinks it's okay to not wear anything on their head... there was hair ba
Après :     ['armature', 'work', 'location', 'think', 'wear', 'head', 'hair', 'bake', 'pizza', 'inform']

Avant :     Bland, small portions and the service is horrible.  Limited menu, more options for vegan would be ni
Après :     ['bland', 'portion', 'service', 'menu', 'option', 'vegan', 'nice']

Avant :     Nothing special at all. Didnt like the atmosphere all that much and there wasnt much bang for your d
Après :     ['atmosphere', 'bang', 'dollar', 'want', 'lunch', 'dinner', 'spot']

Avant :     Without a doubt one of the most disappointing restaurant experiences I've had in South Tampa. For st
Après :     ['restaurant', 'experience', 'starter', 'wine_list', 'leave', 'lot_desire', 'overprice', 'quality', 'wine', 'person']

Avant :     I will never go back. The cavatelli was gummy, I eat my pasta el dente so I know what that is, there
Après :     ['eat', 'know', 'morsel', 'sausage', 'conversation', 'server', 'hostess', 'seem']

Avant :     It's too loud in there, hard to carry on a conversation. Until they bring the noise level down, I wo
Après :     ['carry', 'conversation', 'bring', 'noise_level']

Avant :     how about you try answering the phone once in a while. i waited on the phone for so long that i lear
Après :     ['try', 'answer_phone', 'wait', 'phone', 'learn', 'word', 'country', 'theme', 'song', 'night']

Avant :     Eh, crust was dry and we got the Delmar which instead of pizza sauce they use bbq sauce however they
Après :     ['crust', 'pizza', 'sauce', 'sauce', 'put', 'pizza', 'cause', 'server', 'pizza', 'take']

Avant :     I think this is one of the most OVER RATED places in StLouis.  Im sorry but your pizza isn't anythin
Après :     ['think', 'rate', 'place', 'stlouis', 'pizza']

Avant :     The service was the most outstanding part of our visit. The pizza, however, was a bit mediocre. We e
Après :     ['service', 'part', 'visit', 'pizza', 'bit', 'end', 'pay', 'dish', 'beer', 'glass']

Avant :     I really wanted to like this place. It was cute and had a great vibe. The food was disappointing. We
Après :     ['want', 'place', 'cute', 'vibe', 'food', 'start', 'pi', 'bite', 'appetizer', 'thing']

Avant :     Once again, I order Pi online and the wait time is off by over an hour.  Was told to pick it up at 7
Après :     ['order', 'wait', 'time', 'hour', 'tell', 'pick', 'pm', 'doubt', 'order', 'make_mistake']

Avant :     There was nothing  _bad_ about our meal at Pi, just nothing that draws me back, either.  The wings w
Après :     ['meal', 'pi', 'draw', 'wing', 'quality', 'season', 'pepper', 'heat', 'wing', 'sauce']

Avant :     I was exicted to try this place out but was very disappointed by the poor customer service. 

The fo
Après :     ['exicte', 'try', 'place', 'disappoint', 'customer_service', 'food', 'expect', 'pizza', 'experience', 'come']

Avant :     Since when does it take 15 minutes to bake a deep dish pizza? It seems as if they are using pre made
Après :     ['take', 'minute', 'bake', 'dish', 'pizza', 'seem', 'use', 'pre_make', 'crust', 'pizza']

Avant :     If this wasnt the worse pizza I ever had it was damn close. I oreded a deep dish and it seemed to be
Après :     ['pizza', 'orede', 'dish', 'seem', 'sauce', 'digorno']

Avant :     I have been coming here are years & after today's visit this place is slowly on the decline. I have 
Après :     ['year', 'today', 'visit', 'place', 'decline', 'problem', 'floor', 'wet', 'today', 'seat']

Avant :     Slowest drive thru around. One time I ordered and waited over 15 minutes amd no one even came to the
Après :     ['drive', 'time', 'order', 'wait_minute', 'one', 'come', 'window', 'talke', 'money', 'drive']

Avant :     If you ever get out of your car and go inside you may cancel your order.  The place is a zoo and a d
Après :     ['car', 'cancel_order', 'place', 'zoo', 'zoo', 'give', 'couple_week', 'visit', 'visit', 'side']

Avant :     If I could give this location a zero I would!! Worst tasting KFC chicken I've ever choked on!! They 
Après :     ['give', 'location', 'worst', 'taste', 'kfc', 'chicken', 'choke', 'fry', 'grease', 'cook']

Avant :     Worst sushi place ever! First there was a bug on my roll then when they brought it back it was spoil
Après :     ['place', 'bug', 'roll', 'bring', 'spoil', 'manager', 'ask', 'eat', 'husband', 'food']

Avant :     Could not say enough bad things.  We bought a groupon/living social deal and then were forced to pay
Après :     ['say', 'thing', 'buy', 'groupon', 'live', 'deal', 'force', 'pay', 'tip', 'percent']

Avant :     This place is nice but nothing too special.  I'm getting tired of saying how bad some of these sushi
Après :     ['place', 'say', 'place', 'make', 'park', 'sauce', 'sort', 'see', 'order', 'roll']

Avant :     Food was ok but service is slow on a Monday took over an hour for shushi to come out and 50 min afte
Après :     ['food', 'service', 'take', 'hour', 'come', 'min', 'order', 'tell', 'outta', 'salmon']

Avant :     Well this is certainly one of the better Subways in the area.  Very nice and helpful staff, the dini
Après :     ['subway', 'area', 'staff', 'dining_area', 'keep', 'order', 'chicken', 'sandwich', 'top', 'sun']

Avant :     Place has really slipped as far as food quality. Pork steak was dry and tough and I wish they'd have
Après :     ['place', 'slip', 'food', 'quality', 'pork', 'steak', 'wish', 'let', 'pick', 'sauce']

Avant :     Food, was great had BBQ nacho as an appetizer, great beer selection and great value for the price. O
Après :     ['beer_selection', 'value', 'price', 'experience', 'waitress', 'rush', 'order', 'min', 'food', 'meeting']

Avant :     Food was ok. Seemed to lack flavor. Potato salad was blah. They forgot to use our free Appetizer Yel
Après :     ['food', 'seem', 'lack_flavor', 'potato_salad', 'blah', 'forgot', 'use', 'appetizer', 'yelp', 'coupon']

Avant :     Food is good.  Decor is nice.  
Service was terrible.  Our drink orders were not what we ordered.  R
Après :     ['food', 'decor', 'service', 'drink', 'order', 'order', 'tell', 'carry', 'item', 'make']

Avant :     First time eating there and was very disappointed. The BBQ sauce had no texture what so ever. Looked
Après :     ['time', 'eat', 'bbq_sauce', 'texture', 'look', 'water', 'meat', 'good', 'bbq', 'slaw']

Avant :     I went here for the first time today with my 4 year old son and left very disappointed. The food was
Après :     ['time', 'today', 'year', 'son', 'leave', 'food', 'follow', 'thing', 'leave', 'reel']

Avant :     We have been there twice and will not return. The Good: both times service was great. Surprising the
Après :     ['return', 'time', 'service', 'side', 'portion', 'meat', 'rib', 'sauce', 'super', 'sign']

Avant :     Where to start about hendricks. Horrible service...... not our servers fault. We showed up and the s
Après :     ['start', 'hendrick', 'service', 'server', 'fault', 'show', 'stick', 'table', 'say', 'server']

Avant :     Food is okay assuming you don't mind waiting ten minutes for the server to take a drink order and mo
Après :     ['food', 'assume', 'mind', 'wait_minute', 'server', 'take', 'drink', 'order', 'minute', 'food']

Avant :     Terrible service. And they didnt even care. The food was just so so. Train your wait staff so they k
Après :     ['service', 'care', 'food', 'train', 'staff', 'know', 'menu']

Avant :     Food was bland. Potato salad, creamed spinach & cole slaw had no flavor. Ribs were tough and underdo
Après :     ['food', 'bland', 'potato_salad', 'cream', 'flavor', 'rib', 'veggie', 'burger', 'season', 'cook']

Avant :     It may be the best in STL, but there is much better Q 313 miles NE in Chicago. Try Smoque BBQ the ne
Après :     ['stl', 'mile', 'try', 'smoque', 'bbq', 'time', 'travel', 'city']

Avant :     I was expecting great things after all I have heard about it, how ever I was truly disappointed. Ord
Après :     ['expect', 'thing', 'hear', 'disappoint', 'order', 'quarter', 'slab', 'side', 'choose', 'cheese']

Avant :     Have been 2 times. The first time I went thought the food was good. Decent BBQ spot in StC. Second t
Après :     ['time', 'time', 'think', 'food', 'time', 'bbq', 'side', 'service', 'mess', 'side']

Avant :     It has been a long time since I've been to Hendricks.  I was excited to go again.  Such a disappoint
Après :     ['time', 'hendrick', 'disappointment', 'server', 'bother', 'food', 'sample', 'side', 'cheese', 'stand']

Avant :     Used to enjoy the food to go.  Until tonight... I stay at the hotel next door frequently and place o
Après :     ['use', 'enjoy', 'food', 'tonight', 'stay_hotel', 'door', 'place', 'order', 'week', 'call']

Avant :     Great food, but received poor service by our waitress Erica.  We sat outside and waited in gaps of 3
Après :     ['food', 'receive', 'service', 'waitress', 'sit', 'wait', 'gap', 'min', 'come', 'recommend']

Avant :     This place is not worth what you spend. I got a 20.00 platter. Came with two meats and two sides. Ea
Après :     ['place', 'spend', 'platter', 'come', 'meat', 'side', 'meat', 'come', 'piece', 'bake_bean']

Avant :     Food was fine but service was TERRIBLE. 4 people ( 2 couples) and dinner almost took 2 hours. Ordere
Après :     ['food', 'service', 'people', 'couple', 'dinner', 'take', 'hour', 'order', 'appetizer', 'specify']

Avant :     The wait was really long for our party.  We made a reservation, and still had to wait an additional 
Après :     ['wait', 'party', 'make_reservation', 'wait_minute', 'time', 'night', 'service']

Avant :     Atmosphere is cool, Food is not great , service is terrible. I wont be back, and would strongly reco
Après :     ['atmosphere', 'cool', 'food', 'service_terrible', 'recommend', 'avoid', 'wait', 'set', 'wait', 'drink_refill']

Avant :     Dined there yesterday and was a little disappointed by how dirty the restaurant was....Bbq sauce car
Après :     ['dine', 'yesterday', 'restaurant', 'bbq_sauce', 'carrier', 'cake', 'grease', 'fingerprint', 'water', 'come']

Avant :     Gnats EVERYWHERE (super gross). Also claims to be whiskey bar but wait staff, management and bartend
Après :     ['gnat', 'claim', 'whiskey', 'bar', 'wait', 'staff', 'management', 'bartender', 'lack', 'knowledge']

Avant :     Popular place. Large servings.  Avoid the omelets, but the other breakfast entrees look good.  Lots 
Après :     ['place', 'serving', 'avoid', 'omelet', 'breakfast', 'entree', 'look', 'lot', 'fly', 'dining_room']

Avant :     Horrible ! I used to be in the business & I am always understanding if something is messed up. Tonig
Après :     ['use', 'business', 'understand', 'mess', 'tonight', 'order', 'steak', 'server', 'say', 'minute']

Avant :     My first bad experience involved an order of lettuce wraps.  The lettuce was soft, dry, rubbery, and
Après :     ['experience', 'involve', 'order', 'lettuce_wrap', 'lettuce', 'visit', 'involve', 'rip', 'drink', 'error']

Avant :     Noisy, Poor service, not a "pub" experience in any way, shape or form.
Après :     ['service', 'pub', 'experience', 'way', 'shape', 'form']

Avant :     The food is poor, over priced and the service is horrible. You are better off going somewhere else t
Après :     ['food', 'price', 'service', 'place', 'witness', 'server', 'harass', 'customer', 'want', 'know']

Avant :     Bleck! Avoid the salad with avocado and feta. Extremely plain. Only ingredients were those in the na
Après :     ['avoid', 'avocado', 'feta', 'ingredient', 'name', 'onion', 'drink', 'service', 'restaurant', 'bar']

Avant :     I have given this place many many chances as I keep fooling myself into believing that maybe I caugh
Après :     ['give', 'place', 'chance', 'keep', 'fool', 'believe', 'catch', 'night', 'service', 'time']

Avant :     With all the good reviews I guess we came on a bad night. Sat at the bar and with the bar servers ri
Après :     ['review', 'guess', 'come', 'night', 'sit_bar', 'bar', 'server', 'front', 'ask', 'serve']

Avant :     Walked into the bar to grab a beer at 10:30.. Their door says they close at 1. A lot of the chairs w
Après :     ['walk', 'bar', 'grab', 'beer', 'door', 'say', 'lot', 'chair', 'people', 'bar']

Avant :     What? Huh? Eh? 

As much as I love the Mass Ave location, this spot was a huge turn off.. so loud, s
Après :     ['love', 'mass', 'ave', 'location', 'spot', 'turn', 'area', 'year', 'freak', 'guess']

Avant :     As I said service sucked ordered my food got to drive thru the girl asked what did I order? That's n
Après :     ['say', 'service', 'suck', 'order', 'food', 'drive', 'girl', 'ask', 'order', 'sign']

Avant :     The slowest at each stop in the drive thru. Fries soggy it was 630 they should have been fresh. Poor
Après :     ['stop', 'drive', 'fry_soggy', 'service', 'trouble', 'count', 'stop', 'time']

Avant :     Service and food are on standards here at this McDonald's but there is nothing special about this on
Après :     ['service', 'food', 'standard', 'mcdonald', 'one', 'time', 'hear', 'mess']

Avant :     Food was way over priced I liked the food but I'll never in my life will pay that much for a taco ag
Après :     ['food', 'way', 'price', 'like', 'food', 'life', 'pay', 'taco', 'drink', 'ass']

Avant :     Horrible. Only table in there and the waitress took her sweet time since she was chatting with the c
Après :     ['table', 'waitress', 'take', 'time', 'chat', 'cook', 'refill', 'soda', 'bottle', 'order']

Avant :     Asked for an order of 12 hot wings then ask for half to be honey gold.. then told that it would be a
Après :     ['ask', 'order', 'wing', 'ask', 'honey', 'gold', 'tell', 'charge', 'tell', 'manager']

Avant :     I normally don't review fast food joints because we all expect less from them. But I feel that the p
Après :     ['review', 'food', 'joint', 'expect', 'feel', 'people', 'need', 'warning', 'concern', 'bell']

Avant :     Had the tri meat  fajita for dinner 
The shrimp and chicken was OK but  the steak was so tough and c
Après :     ['meat', 'dinner', 'shrimp', 'steak', 'chewy', 'swallow', 'recommend', 'place', 'price', 'grade']

Avant :     Terrible terrible terrible. Out of 6 meals we ordered to go, 5 had to be thrown away. We were missin
Après :     ['meal', 'order', 'throw', 'miss', 'component', 'suppose', 'part', 'meal', 'bun', 'burger']

Avant :     25 minute wait on a Saturday night when half of the tables are empty. There wete not enough cooks to
Après :     ['minute', 'wait', 'night', 'half', 'table', 'wete', 'cook', 'prepare', 'food', 'manner']

Avant :     Arriving into a restaurant that very clearly made no changes from the Mexican restaurant it used to 
Après :     ['arrive', 'restaurant', 'make', 'change', 'restaurant', 'use', 'give', 'crumple', 'piece_paper', 'drink']

Avant :     Overpriced food. Slow service. Not worth the effort. Mentioned slow, inattentive service to the mana
Après :     ['overprice', 'food', 'service', 'effort', 'mention', 'service', 'manager', 'say', 'eat', 'restaurant']

Avant :     First time going in, and this will be my last. The service was subpar at best. Our server was barely
Après :     ['time', 'service', 'server', 'table', 'take', 'food', 'lunch', 'take', 'minute', 'side']

Avant :     DO NOT GO TO THIS PLACE. they are disgusting! and i'm not meaning the food. the food is decent, but 
Après :     ['place', 'mean', 'food', 'food', 'want', 'feel', 'place', 'place', 'thug', 'run']

Avant :     Unremarkable. Food was good, but it took a long time. When I asked for a beer taste, the waiter told
Après :     ['food', 'good', 'take', 'time', 'ask', 'beer', 'taste', 'tell', 'take', 'bar']

Avant :     Absolutely horrible food for the money. You can go to Kona Grill or Yardhouse and have good food for
Après :     ['food', 'money', 'yardhouse', 'food', 'price', 'place', 'charge', 'quality', 'food', 'post']

Avant :     Decent service. Food was bland. I'll probably find somewhere else to go next time. It seemed really 
Après :     ['service', 'food', 'bland', 'find', 'time', 'seem', 'service', 'food']

Avant :     A new restaurant in meridian we were so excited to try out. First off our waiter was the most awkwar
Après :     ['try', 'waiter', 'year', 'experience', 'table', 'look', 'try', 'pin', 'point', 'know']

Avant :     My wife and I went in on a Wednesday
After 5 and waited up front for someone to sit us for over ten 
Après :     ['wait', 'sit', 'minute', 'couple', 'wait', 'bar_tender', 'person', 'kitchen', 'make', 'eye_contact']

Avant :     I ordered"the burger" the waitress told me"it comes a little pink, is that okay" I said no, no pink 
Après :     ['order', 'tell', 'come', 'say', 'seem', 'burger', 'come', 'charcoal', 'burn', 'complain']

Avant :     I won't return to this restaurant. It's especially not for health-minded eaters. There isn't much of
Après :     ['return', 'restaurant', 'health', 'eater', 'selection', 'food', 'menu', 'salad', 'house', 'salad']

Avant :     Visiting from out of town, looked like a great place to try. We were there at noon on Monday, only o
Après :     ['visit', 'town', 'look', 'place', 'try', 'noon', 'couple', 'sign', 'choice', 'atmosphere']

Avant :     If I could give a NO STAR it would be appropriate.  Sunday between  2pm & 3pm , less than 10 tables 
Après :     ['give_star', 'appropriate', 'pm', 'table', 'customer', 'take', 'burger', 'mine', 'ask', 'item']

Avant :     My friends and I went before an event and one of us got a burger, which looked amazing, but was way 
Après :     ['friend', 'event', 'burger', 'look', 'way', 'spicy', 'fish', 'share', 'order', 'beer']

Avant :     Definitely not worth a try. The service was very slow and the food was extremely bland and overprice
Après :     ['try', 'service', 'food', 'overprice', 'daughter', 'meal', 'paper', 'towel', 'restroom', 'skip']

Avant :     We met friends at 6:30 tonight (Sunday). While the wait staff were very friendly, we waited for far 
Après :     ['meet_friend', 'tonight', 'wait', 'staff', 'wait_minute', 'food', 'wait', 'bill', 'pay', 'food']

Avant :     Tried twice, both times food was DISAPPOINTING .  Service not too bad but that doesn't make up for t
Après :     ['try', 'time', 'food', 'service', 'make', 'food', 'need', 'work', 'perfect', 'menu']

Avant :     Not as good as I expected. Waste of time and money. The lamp was very tough. And when the waiter gav
Après :     ['expect', 'waste_time', 'money', 'waiter', 'give', 'dish', 'thumb', 'touch', 'sauce', 'way']

Avant :     The food was okay. Nothing special. Definitely not worth the money. The service was horrible. Very r
Après :     ['food', 'money', 'service', 'people', 'say', 'thank', 'spend_money', 'restaurant', 'take', 'effort']

Avant :     As per schedule , it should be open for dinner from 5:30 PM. But it's closed most of the time. On Ju
Après :     ['schedule', 'dinner', 'close', 'time', 'call', 'know', 'say', 'time', 'close', 'eat']

Avant :     The last 3 times I've been to this Taco Bell/KFC they've messed up my order each time.
1. They put t
Après :     ['time', 'mess', 'order', 'time', 'put', 'tomato', 'crunch', 'tomato', 'confirm', 'crunch']

Avant :     It's a combined Taco Bell & KFC, which is a plus.  However the staff at this location apparently can
Après :     ['combine', 'bell', 'staff', 'location', 'bother', 'lobby', 'fact', 'place', 'time', 'visit']

Avant :     This place is VERY crowded and not in a good way - unless you enjoy smelling other people's BO while
Après :     ['place', 'crowd', 'way', 'enjoy', 'smell', 'people', 'bo', 'eat', 'smell', 'patron']

Avant :     Won't come back for food.  Nice space and drink prices. Took a while to get service.  Initially, had
Après :     ['come', 'food', 'space', 'drink', 'price', 'take', 'service', 'table', 'look', 'server']

Avant :     Good bar....good specials during Saturday college football games.  Service is slow. Faster to get a 
Après :     ['bar', 'special', 'college', 'football', 'game', 'service_slow', 'drink', 'bar', 'wait', 'waitress']

Avant :     I will never go back to this place again.  Went there for lunch at 1:00 p.m.  The restaurant was far
Après :     ['place', 'lunch', 'restaurant', 'crowd', 'order', 'bread', 'pizza', 'side', 'salad', 'hour']

Avant :     So Patriots fans give you so much business but you close out half the bar for Eagles fans during the
Après :     ['patriot', 'fan', 'give', 'business', 'half', 'bar', 'eagle', 'fan', 'bowl', 'dude']

Avant :     Have not had the food here, but Smith's is a good place to get drinks and hang out with friends. Two
Après :     ['place', 'drink', 'hang', 'friend', 'bar', 'night', 'pack', 'people', 'dance', 'dancefloor']

Avant :     The food was decent but nothing special. The service was extremely slow, the waitress forgot to give
Après :     ['food', 'service', 'forgot', 'give', 'appetizer', 'bill', 'part', 'people', 'restaurant', 'waitress']

Avant :     Went in a few nights ago and liked the layout of the bar, enjoyed my drinks which I think were reaso
Après :     ['night', 'like', 'layout', 'bar', 'enjoy', 'drink', 'think', 'center_city', 'bar', 'irish']

Avant :     Smiths is a cool hang out with a great selection of beer and a great atmosphere to chat with friends
Après :     ['smith', 'hang', 'selection', 'beer', 'atmosphere', 'chat', 'friend', 'waitstaff', 'food', 'food']

Avant :     Their cheese sauce for the fries is good but the fries were way over salted. My burger was charred, 
Après :     ['cheese', 'sauce', 'fry', 'fry', 'salt', 'burger', 'eat', 'salad', 'look', 'dressing']

Avant :     They overcharged my friend and I by over 15 dollars. The bill only shows the total amount so when we
Après :     ['overcharge', 'friend', 'dollar', 'bill', 'show', 'amount', 'ask', 'waitress', 'see', 'item']

Avant :     Came here to meet a friend on Thursday night for happy hour. Its gross. First there were flies all o
Après :     ['come', 'meet_friend', 'night', 'hour', 'fly', 'people', 'sit_bar', 'bartender', 'ignore', 'wipe']

Avant :     I only gave one star because they at least had HD TV's. If your looking for a college frat house tha
Après :     ['give_star', 'tv', 'look', 'college', 'bar', 'luck', 'watch', 'lady', 'guy', 'handle']

Avant :     20 people came out before our group of 4 were allowed in. Bouncers are terrible. Definitely not a go
Après :     ['people', 'come', 'group', 'allow', 'bouncer', 'spot', 'night', 'weekend', 'price', 'drink']

Avant :     I went in to Smiths a few times. Once for a slow happy hour where the unfriendly bartenders didn't e
Après :     ['smith', 'time', 'hour', 'bartender', 'know', 'special', 'flag', 'refill', 'time', 'wait_minute']

Avant :     Ordered for pick up and was told 45 minutes. Arrived 45 minutes after ordering and waited another 45
Après :     ['order', 'pick', 'tell', 'minute', 'arrive', 'minute', 'order', 'wait_minute', 'food', 'pay']

Avant :     This will be short and sweet.  The pizza was good.  The stromboli had pepperoni in it, which I did n
Après :     ['pizza', 'stromboli', 'pepperoni', 'order', 'eat', 'hub', 'say', 'delivery', 'take', 'hour']

Avant :     If you're going to advertise yourself as a pre- and post- basketball game venue, maybe actually be p
Après :     ['advertise', 'post', 'basketball', 'game', 'venue', 'prepare', 'crowd', 'party', 'eat', 'minute']

Avant :     Wacky environment, no restroom, not an original naan, curry is just ok, amount of food according to 
Après :     ['environment', 'restroom', 'amount', 'food', 'accord', 'price', 'worthwhile']

Avant :     I went there once and NEVER again. This is not authentic Spanish food. The rice tasted like Minute R
Après :     ['food', 'rice', 'taste', 'minute', 'rice', 'impress']

Avant :     I give the service 5 stars. That guy behind the counter was fantastic. Friendly, fast, informative, 
Après :     ['give', 'service', 'star', 'guy', 'counter', 'place', 'food', 'flavor', 'pork', 'pork']

Avant :     This place has everything but good pastries. 

Patisserie is a cute warm cafe that serves overpriced
Après :     ['place', 'pastry', 'cafe', 'serve', 'overprice', 'pastry', 'buy', 'coffee', 'paste', 'paste']

Avant :     I have been a regular customer for a long time. Yet, they always sell me yesterday's bakery even if 
Après :     ['customer', 'time', 'sell', 'yesterday', 'bakery', 'ask', 'today']

Avant :     Really unsure what the fuss is all about with this place. 

As Ramona P. mentioned in her review, th
Après :     ['fuss', 'mention', 'review', 'counter', 'help', 'hit_miss', 'stop', 'trip', 'time', 'hope']

Avant :     Agreed. I have tried several times hoping for the best but also found pastries to be dry and tastele
Après :     ['agree', 'try', 'time', 'hope', 'find', 'pastry', 'tell', 'staff', 'seem_care']

Avant :     Overpriced, slow service even though it wasn't busy when we arrived. Eggplant parm was excellent as 
Après :     ['overprice', 'service', 'arrive', 'eggplant', 'parm', 'cannoli', 'person', 'party', 'vegan', 'menu']

Avant :     im an upper darby native so my review might be biased, im sorry but the menu at this picas, does NOT
Après :     ['biased', 'menu', 'pica', 'hold', 'candle', 'menu', 'menu', 'darby', 'location', 'half']

Avant :     Bad food high prices.  Ordered the Stromboli. Got a sandwich with grease dripping off it.  Didn't ev
Après :     ['food', 'price', 'order', 'sandwich', 'grease', 'dripping', 'take_bite', 'threw', 'home', 'save_money']

Avant :     This restaurant needs to figure out how to handle the crowd interested in all the hype. Saturday nig
Après :     ['restaurant', 'need', 'figure', 'handle', 'crowd', 'night', 'scene', 'tell', 'hour', 'reservation']

Avant :     Terrible service. Waited in line for an hour and finally the hostess told us they were "suspending s
Après :     ['service', 'wait_line', 'hour', 'hostess', 'tell', 'suspend', 'seating', 'kitchen_back', 'evening', 'waste_time']

Avant :     So overrated. The tamales were ok, I have had more authentic tasting tamales, though the corn tamale
Après :     ['tamale', 'ok', 'tasting', 'tamale', 'corn', 'wish', 'say', 'beef', 'chicken', 'tamale']

Avant :     The lunch menu is overpriced, especially considering how bland the food is.  We had the fajitas whic
Après :     ['lunch', 'menu', 'overprice', 'consider', 'food', 'fajita', 'look', 'come', 'lack', 'resemble']

Avant :     Hands down the worst chicken and rice plate I've ever had. When I ordered I was told there was no sa
Après :     ['hand', 'chicken', 'rice', 'plate', 'order', 'tell', 'want', 'order', 'time', 'reach']

Avant :     DO NOT GO THERE . The male waiter was only looking at my 7 year old daughter and I tried to get his 
Après :     ['waiter', 'look', 'year', 'daughter', 'try', 'attention', 'creeper', 'cook', 'look', 'direction']

Avant :     2 stars for good food that is cheap- but dirty and poor service.  AFTER eating nearly all of it, I a
Après :     ['star', 'food', 'service', 'eat', 'ask', 'soup', 'container', 'give', 'use', 'hair']

Avant :     Would not return. Grilled pork was like warm. Obviously microwaved. Sent it back. Microwaved it agai
Après :     ['return', 'grill', 'pork', 'microwave', 'send', 'microwave', 'cut', 'pork', 'give', 'chicken']

Avant :     Just average and the service isn't good. The older woman behind the counter is rude and pushy. Too b
Après :     ['service', 'woman_counter', 'use', 'veggie', 'broth', 'unseasone']

Avant :     Worst pho I've had in a while.  The tendon is harder than plastic.  They need to take that crash of 
Après :     ['pho', 'need', 'take', 'crash', 'menu', 'know', 'cook', 'offense', 'serve', 'pho']

Avant :     Poor customer service i ask for extra hot chili oil she said they are expensive and only game me 1? 
Après :     ['customer_service', 'ask', 'chili', 'oil', 'say', 'game', 'come', 'know']

Avant :     I was not greeted when I walked in. The customer service was not the best, they got my order wrong, 
Après :     ['greet', 'walk', 'customer_service', 'order', 'ask', 'type', 'noodle', 'give', 'kind', 'ask']

Avant :     The pho beef was very monotone, and everything in it was very beefy even the noodles.once you added 
Après :     ['beef', 'monotone', 'beefy', 'noodle', 'add', 'sauce', 'soup', 'taste', 'noodle', 'gain']

Avant :     I cannot judge by the food because we waited  more than 10 minutes for a kids menu after we were tol
Après :     ['judge', 'food', 'wait_minute', 'kid', 'tell', 'print', 'ask', 'people', 'host', 'want']

Avant :     Well it's definitely not Louie's anymore. 
Food prices are 20-25% higher, no meaningful drink specia
Après :     ['louie', 'food', 'price', 'drink', 'special', 'food', 'quality', 'drop', 'take', 'family']

Avant :     I was so disappointed in this restaurant! It has certainly lost the family friendly feel! It is defi
Après :     ['restaurant', 'lose', 'family', 'feel', 'feel', 'bar', 'music', 'bar', 'loud', 'conversation']

Avant :     The food is good and cheap but the customer service needs some BIG improvements.
Après :     ['food', 'customer_service', 'need_improvement']

Avant :     Stopped in after reading the reviews to give it a try. Restaurant had been opened for well over an h
Après :     ['stop', 'read_review', 'give', 'try', 'restaurant', 'open', 'hour', 'hear', 'smell', 'cooking']

Avant :     Its a Shame that the staff is completely rude, because I actually enjoy the food.  I have gone 3 tim
Après :     ['shame', 'staff', 'enjoy', 'food', 'time', 'month', 'staff', 'work', 'thought', 'day']

Avant :     I love the hoagies here, but I just saw a roach crawling down the wall, in the middle of the day.
Après :     ['love', 'hoagie', 'see', 'roach', 'crawl']

Avant :     Horrible service they took forever with our meals and high priced for skimp food. The wrap they made
Après :     ['service', 'take', 'meal', 'price', 'food', 'wrap', 'make', 'look', 'cheesesteak', 'order']

Avant :     Terrible service, food came out cold even after waiting about 1 hour during lunch, way too pricey. D
Après :     ['service', 'food', 'come', 'wait', 'hour', 'lunch', 'way', 'waste_time']

Avant :     I love Bareburger and have dined at many Bareburger locations in NYC, but this one is by far the wor
Après :     ['love', 'bareburger', 'dine', 'bareburger', 'location', 'nyc', 'eat', 'time', 'seat', 'wait_minute']

Avant :     Below average 12$ cheeseburger. Small and underseasoned. California BLT, probably decent but kitchen
Après :     ['kitchen', 'cheape', 'use', 'end', 'loaf', 'bread', 'beer', 'choice', 'select', 'return']

Avant :     This review is for take out only. I ordered the Hot Honey Chicken, it was cold and just okay. They d
Après :     ['review', 'take', 'order', 'honey', 'chicken', 'trim', 'chicken', 'request', 'crispy', 'fry']

Avant :     Got a wonderful burger on a soggy, white Wonder Bread-type bun--didn't taste like any brioche I've e
Après :     ['burger', 'soggy', 'wonder', 'bread', 'type', 'bun', 'taste', 'brioche']

Avant :     Just ok. Our group had salads and Impossible Burgers. The meatless burger. Yeah, it was edible, but 
Après :     ['group', 'salad', 'burger', 'meatless', 'burger', 'meat', 'veggie', 'salad', 'ok', 'draft_beer']

Avant :     I love Bareburger and the two star review is purely for the service.  For such a small establishment
Après :     ['love', 'bareburger', 'star', 'review', 'service', 'establishment', 'wait', 'time', 'understand', 'wait']

Avant :     1 burger for pickup. Guy said it'd be 20 mins. 35 mins later I got my food.  Bacon was gross
Après :     ['say', 'min', 'min', 'food', 'bacon', 'gross']

Avant :     Eh. Not worth it. Wait was quoted at 20 minutes. Turned into 40 and then we sat in a table in the mi
Après :     ['wait', 'quote', 'minute', 'turn', 'table', 'restaurant', 'people', 'keep', 'hit', 'walk']

Avant :     More like dog burger.

I'd rather eat at the Sunoco on Baltimore Avenue.

Go up the street to Strang
Après :     ['dog', 'burger', 'eat', 'street', 'strangelove', 'ff', 'guy']

Avant :     this place is popular because its trendy. other than cool instagram photos, they have nothing good g
Après :     ['place', 'instagram', 'photo', 'make', 'food', 'seem', 'overcharge', 'taste', 'burger']

Avant :     The staff were friendly and the atmosphere of the restaurant was fairly good. The problem is I got c
Après :     ['staff', 'atmosphere', 'restaurant', 'problem', 'cheese', 'fry', 'open', 'box', 'fry', 'cheese']

Avant :     Do not eat here.

I ordered online and got three sushi rolls. After an hour of waiting we called to 
Après :     ['eat', 'order', 'roll', 'hour', 'wait', 'call', 'check', 'order', 'say', 'wait_minute']

Avant :     We've been coming here for a few years now even before they changed their name from Spice Kitchen to
Après :     ['come', 'year', 'change', 'name', 'spice', 'kitchen', 'food', 'use', 'time', 'take']

Avant :     Sorry, my first experience here was not good.  I came because I heard Happy was there.

The food was
Après :     ['experience', 'good', 'come', 'hear', 'food', 'chicken', 'reheat', 'wife', 'feel', 'naan']

Avant :     The worst Indian buffet ever ! Save ur time and money ! Will never go there ! Went there for lunch b
Après :     ['save', 'time', 'money', 'lunch', 'afternoon', 'customer', 'tandoori', 'taste', 'pee', 'kid']

Avant :     We saw this place on our way to Dosa hut, decided to give it a try. It is a beutiful little place.. 
Après :     ['see', 'place', 'decide', 'give', 'try', 'place', 'maintain', 'design', 'spend', 'amount']

Avant :     Not impressed. Ordered our food and 40 minutes later we received it. It was breakfast so very simple
Après :     ['impress', 'order', 'food', 'minute', 'receive', 'breakfast', 'egg', 'pancake', 'ice', 'bucket']

Avant :     Call ahead to be sure they are not serving processed beef on their RB on Weck. Had that little trick
Après :     ['call', 'serve', 'process', 'beef', 'trick', 'pull', 'fry', 'send', 'mention', 'fountain']

Avant :     Went in for lunch on Labor Day. The food was decent but the service was pretty bad. 

Long wait to g
Après :     ['lunch', 'labor', 'day', 'food', 'service', 'wait', 'drink', 'wait', 'place', 'order']

Avant :     They only let me have 2 pancakes at a time and when I ordered more it took another 10 minutes! My fr
Après :     ['let', 'time', 'order', 'take', 'minute', 'friend', 'egg', 'egg', 'shell', 'tell']

Avant :     Ordered a buffalo chicken cheesesteak. Extremely watery. Lack luster taste. Allegedly comes with blu
Après :     ['order', 'cheesesteak', 'lack_luster', 'taste', 'come', 'blu', 'cheese', 'order', 'meal', 'fry']

Avant :     Wow. Terrible. Pasta conBroccoli was nothing more than warm milk. Crust on pie ok,,,sauce had no fla
Après :     ['pasta', 'conbroccoli', 'milk', 'crust', 'sauce', 'flavor', 'topping']

Avant :     Food is below average. Waiter is unfriendly.. I asked which dishes are less spicy, he said dismissiv
Après :     ['food', 'waiter', 'ask', 'dish', 'spicy', 'say', 'spicy', 'bring', 'chutney', 'ask']

Avant :     I am an Indian, I know what Indian food tastes. This place just sucks - the food, the service, you n
Après :     ['food', 'taste', 'place', 'suck', 'food', 'service', 'name', 'way', 'owner', 'waiter']

Avant :     The unlimited lunch buffet is 8.95 can't complain being on state street is a premium cost. However t
Après :     ['lunch_buffet', 'premium', 'cost', 'masala', 'provide', 'naan', 'rice', 'pudding', 'love', 'randomness']

Avant :     Review probably will make sense only to some.... This restaurant has images of India deities in the 
Après :     ['review', 'make_sense', 'restaurant', 'image', 'deity', 'toilet', 'think', 'need', 'say']

Avant :     Avoid this place even if it is the only open restaurant in town.

Four of us went to India House for
Après :     ['avoid', 'place', 'restaurant', 'town', 'dinner', 'gruele', 'guy', 'work', 'host', 'lousy']

Avant :     Done and done. Won't come back. Poor food. Poor service. Ridiculously expensive for what you get. So
Après :     ['come', 'food', 'service', 'strike']

Avant :     I won a meal for two to India House on the radio. Cool! India House refused to honor their agreement
Après :     ['meal', 'radio', 'refuse', 'honor', 'agreement', 'eat', 'say', 'meal', 'owner', 'taste']

Avant :     Smelled great from outside and sure looked very vibrant and interesting on the inside.  We had the b
Après :     ['smell', 'look', 'buffet', 'see', 'staff', 'hunger', 'point', 'think', 'option', 'food']

Avant :     This star is only for plain rice. We were in Santa Barbara for a day. We went to this place, and onl
Après :     ['place', 'end', 'take', 'buffet', 'curry', 'look', 'suppose', 'taste', 'find', 'eat']

Avant :     I wish I can give ZERO.  I went this restaurant twice , buffet as wells À la carte . 
All food taste
Après :     ['wish', 'give', 'restaurant', 'buffet', 'taste', 'beer', 'year']

Avant :     Had the biryani, which tasted like someone sprinkled stale powdered spice on pre-cooked rice, lassi 
Après :     ['taste', 'sprinkle', 'spice', 'pre', 'cook', 'rice', 'lassi', 'taste', 'yogurt', 'cook']

Avant :     DO NOT go to this restaurant. We went to this restaurant after looking at the decor from outside. It
Après :     ['restaurant', 'restaurant', 'look', 'decor', 'look', 'food', 'review', 'decide', 'order', 'starter']

Avant :     Our first time is our last time.  Worst margaritas we've had anywhere.  What Mexican restaurant can'
Après :     ['time', 'time', 'margarita', 'restaurant', 'make', 'margarita', 'meal', 'burrito', 'come', 'wrap']

Avant :     My hubby apparently loves this place as it's close to his office but during lunch on a Friday, it wa
Après :     ['hubby', 'love', 'place', 'office', 'lunch', 'say', 'hear_thing', 'service', 'sign', 'menu']

Avant :     A co-worker & I decided we'd earned a margarita the day after National Tequila Day, so we stop in.  
Après :     ['worker', 'decide', 'earn', 'day', 'stop', 'order', 'ice', 'order', 'mine', 'feel']

Avant :     I order to go tacos and they forgot the cheese. The manager wanted me to come back to the restaurant
Après :     ['order', 'cheese', 'manager', 'want', 'come', 'restaurant', 'customer_service']

Avant :     This place has gone downhill.  Used to love coming here but the past few visits have been dreadful a
Après :     ['place', 'use_love', 'come', 'visit', 'visit', 'server', 'order', 'server', 'come', 'ask']

Avant :     My husband and I had lunch here weekly for several years. We stopped going here two months ago after
Après :     ['lunch', 'weekly', 'year', 'stop', 'month', 'receive', 'service', 'server', 'ask', 'want']

Avant :     Feels like a catering hall. Uncomfortable seating- fast food designed. Food is decent but overpriced
Après :     ['feel', 'cater', 'hall', 'seat', 'food', 'design', 'food', 'idea', 'come', 'group']

Avant :     We went here last night (Saturday) for dinner and sat at the bar.  They were very busy. Adrian, the 
Après :     ['night', 'dinner', 'sit_bar', 'manager', 'fisher', 'wait', 'sit', 'minute', 'bar', 'take']

Avant :     Don't bother going.  The servers are too busy dancing to take your order.  Waited  30 minutes and ne
Après :     ['bother', 'server', 'dance', 'take', 'order', 'wait_minute', 'order', 'take', 'server', 'dance']

Avant :     If you want to have some shake late in night go for it. I wont recommend it for other food menu if t
Après :     ['want', 'shake', 'night', 'recommend', 'food', 'menu', 'option', 'place', 'order', 'meal']

Avant :     Couldn't eat because no one would seat me or take order. Here for a conference. People have short lu
Après :     ['eat', 'seat', 'take', 'order', 'conference', 'people', 'lunch', 'understaff', 'process', 'need']

Avant :     Been here before, so had high expectations.  Ended up with mediocre burger and fries delivered by an
Après :     ['expectation', 'end', 'burger', 'fry', 'deliver', 'server', 'wish', 'burger', 'overwhelm', 'lettuce_tomato']

Avant :     I was expecting the burgers to be delicious but they weren't. They're extremely greasy. As I was eat
Après :     ['expect', 'burger', 'greasy', 'eat', 'mine', 'pool', 'grease', 'form', 'plate', 'waitress']

Avant :     Food was good. The A/C was broken. Where they sat us it smelled like an elderly persons diaper. We g
Après :     ['food', 'break', 'sit', 'smell', 'person', 'diaper', 'eat', 'dustpan', 'fill', 'food']

Avant :     January 2nd visit & probably my last 

Posted a tip earlier about how rude a waitress was here. Name
Après :     ['visit', 'post', 'tip', 'rude', 'name', 'believe', 'precilla', 'spell', 'see', 'walk']

Avant :     Terrible service on our visit here on 05/16/2015 server name Lyndel waited for my strawberry shakes 
Après :     ['service', 'visit', 'server', 'name', 'wait', 'strawberry', 'shake', 'say', 'process', 'make']

Avant :     Waited 20 minutes to be seated it did not happen. Waiter / Hostess told us it just be a few minutes 
Après :     ['wait_minute', 'seat', 'happen', 'waiter', 'hostess', 'tell', 'minute', 'prepare', 'table', 'ask']

Avant :     Meh, they were really slow, first to seat us (more than 5 minutes), and then to bring our food. That
Après :     ['slow', 'seat', 'minute', 'bring', 'food', 'say', 'chicken_strip', 'expect', 'root', 'beer']

Avant :     Sitting here right now.  Floor is so greasy it's like skiing. No bathrooms here so had to go across 
Après :     ['sit', 'floor', 'greasy', 'skiing', 'bathroom', 'hall', 'puke', 'sink', 'bathroom', 'way']

Avant :     Stayed at GSR for Reno Dance Sensation and as a captive audience had a meal at Johnny Rockets.  The 
Après :     ['stay', 'reno', 'sensation', 'audience', 'meal', 'rocket', 'amount', 'fry', 'serve', 'burger']

Avant :     This Johnny Rockets location is a great example of QUALITY LOST. I would have rather ate at Mc Donal
Après :     ['location', 'example', 'quality', 'lose', 'ate', 'rocket', 'location', 'lack', 'visit']

Avant :     Not that great tasting food.  Gulab jamun is the saving grace of otherwise very average tasting food
Après :     ['taste', 'food', 'save_grace', 'taste', 'food']

Avant :     Moderate Food, Good location, Good Service, might return again but probably not, would rather keep l
Après :     ['food', 'location', 'service', 'return', 'keep', 'look', 'spot']

Avant :     July 2015.  I have to say that I was very disappointed with our last visit.  They were out of so muc
Après :     ['say', 'disappoint', 'visit', 'food', 'basic', 'kid', 'meal', 'fish', 'item', 'salad']

Avant :     Meh...food is ok...can barely see any ocean, even if you are standing.  Skip it.
Après :     ['food', 'see', 'ocean', 'stand', 'skip']

Avant :     OMG people with their pathetically loud screaming kids make it impossible to enjoy this place!!!  BE
Après :     ['omg', 'people', 'scream', 'kid', 'make', 'enjoy', 'place', 'considerate', 'self', 'absorb']

Avant :     Ate here tonight! Awesome location, not so much on the food- I am currently in the bathroom with foo
Après :     ['eat', 'tonight', 'location', 'food', 'bathroom', 'food_poisoning', 'thank', 'fish_chip', 'know', 'eat']

Avant :     Drove out of our way to come to this place because we remembered it being pet friendly before and af
Après :     ['drive', 'way', 'come', 'place', 'remember', 'pet', 'search', 'parking_spot', 'minute', 'walk']

Avant :     I went in July 2016 with my family. They ordered sandwiches which were okay, no rave. One salad orde
Après :     ['order', 'sandwich', 'rave', 'salad', 'order', 'wrong', 'order', 'chicken_quesadilla', 'hunt', 'piece_chicken']

Avant :     The only thing great about this place is the fact its on the beach. The food was not great. My kids 
Après :     ['thing', 'place', 'fact', 'beach', 'food', 'kid', 'fish_chip', 'hamburger', 'think', 'food']

Avant :     The only reason I'm giving it any stars is because the location is beautiful, the setup is family fr
Après :     ['reason', 'give_star', 'location', 'setup', 'family', 'staff', 'food', 'crap', 'box', 'expect']

Avant :     Wow....don't know where these other reviewers ate, but not here....  3 of us had lunch, vegeburger, 
Après :     ['know', 'reviewer', 'eat', 'lunch', 'vegeburger', 'baja', 'fish', 'fish_taco', 'burger', 'taco']

Avant :     Looked for a recommended place as we were traveling through, and this one had great reviews.  Decide
Après :     ['look', 'recommend', 'place', 'travel', 'review', 'decide', 'stop', 'walk', 'night', 'tell']

Avant :     The food is terrific.  Not just the food -- the presentation.  The arroz con pollo I ordered came to
Après :     ['food', 'food', 'presentation', 'order', 'come', 'table', 'arrange', 'plate', 'delicious', 'part']

Avant :     Although the service was top notch and the chips and salsa were delicious, the main course was a lit
Après :     ['service', 'notch', 'chip', 'course', 'fact', 'walk', 'home', 'realize', 'grocery', 'shop']

Avant :     Food was excellent, no sarcasm! Steak and shrimp tacos were both on point.

However...

Do NOT sit u
Après :     ['food', 'sarcasm', 'point', 'sit', 'service', 'suffer', 'walk', 'check', 'sit', 'wait_minute']

Avant :     The food and the atmosphere here is great but not good enough for the poor service.  Be prepared to 
Après :     ['food', 'atmosphere', 'service', 'prepare', 'come', 'eat', 'waitress', 'ask', 'drink', 'order']

Avant :     Absolutely the worst Taco Bell.  I waited 31 minutes in the drive-thru only to get home with an inco
Après :     ['wait_minute', 'drive', 'home', 'order', 'employee', 'care', 'experience', 'trend']

Avant :     Made reservation a over a week ago with request to be near band. On arrival they had no record of it
Après :     ['make_reservation', 'week', 'request', 'band', 'arrival', 'record', 'stick', 'bathroom', 'star', 'cocktail']

Avant :     What's all the fuss about?  Food is mediocre at best , service was marginal. You are allocated a tab
Après :     ['fuss', 'service', 'allocate', 'table', 'notice', 'hour', 'table', 'table', 'cram', 'corner']

Avant :     Kinda of a tourist trap. The setting is nice and the music was ok (although not really jazz). The fo
Après :     ['tourist_trap', 'set', 'music', 'jazz', 'food', 'pay', 'example', 'salad', 'leave', 'lettuce']

Avant :     Open table allowed me to make a reservation for 9:30pm. I get there and  the band says, we have 3 mo
Après :     ['table', 'allow', 'make_reservation', 'band', 'say', 'song', 'person', 'party', 'seat', 'say']

Avant :     (I never yelp, I downloaded the App just because of my experience here). Truly atrocious service. Fr
Après :     ['yelp', 'download', 'app', 'experience', 'service', 'tell', 'wait', 'rain', 'reserve', 'table']

Avant :     It's unacceptable to wait 2h30 to have a table, the welcome waitress said 45min at the beginning and
Après :     ['wait', 'table', 'welcome', 'waitress', 'say', 'min', 'begin', 'pm', 'wait', 'place']

Avant :     My wife and I stopped by the past Sunday (Memorial Day Weekend). When my wife asked the server as to
Après :     ['wife', 'stop', 'day', 'weekend', 'wife', 'ask', 'server', 'table', 'woman', 'hair']

Avant :     We had an amazing time Saturday night.  Returned tonight, by myself, and was told they won't seat a 
Après :     ['time', 'night', 'return', 'tonight', 'tell', 'party', 'appreciate', 'space']

Avant :     Lamb burgers were good.  Service was spotty. Some bartenders were really on the ball and some you co
Après :     ['burger', 'service', 'bartender', 'ball', 'attention', 'cocktail', 'suck', 'love', 'liquor', 'mix']

Avant :     Don't waste your time. Long line. Touristic place. Bad service. Stupid hostess. After 2 hours waitin
Après :     ['waste_time', 'line', 'place', 'service', 'hostess', 'hour', 'wait', 'table', 'restaurant', 'food']

Avant :     Came by and put my name down and was told it was a 1 hour and 45 min wait.  Table should be ready at
Après :     ['come', 'put', 'name', 'tell', 'hour', 'min', 'wait', 'table', 'come', 'tell']

Avant :     Yelp wait list for this joint doesn't work, hostess is the rudest person, will not spend any more $$
Après :     ['yelp', 'wait', 'list', 'work', 'hostess', 'rudest', 'person', 'spend']

Avant :     Well we had reservations,  we're on time,  and they didn't let us in. 

That's it. Manager was rude 
Après :     ['reservation', 'time', 'let', 'manager', 'rude', 'avoid', 'place']

Avant :     I go here all the time went in yesterday to go get a quick drink and there's a new bartender. Cool s
Après :     ['time', 'yesterday', 'drink', 'bartender', 'show', 'say', 'see', 'manager', 'bartender', 'say']

Avant :     This place is really overrated. The food wasn't really good and the service was horrible. The custom
Après :     ['place', 'food', 'service', 'custom', 'cocktail', 'seem', 'try', 'way', 'send', 'drink']

Avant :     No free drink refills. There are many other options in the food court. This is a bad business decisi
Après :     ['drink_refill', 'option', 'food', 'court', 'business', 'decision']

Avant :     This place is very strategic with how the food is portioned. The special comes with little meat to f
Après :     ['place', 'food', 'portion', 'come', 'meat', 'force', 'pay', 'meat', 'bring', 'owner']

Avant :     Fire the entire management and employee staff covering lunch and start over! It's a mess inside and 
Après :     ['fire', 'management', 'employee', 'staff', 'cover', 'lunch', 'start', 'mess', 'drive', 'waiting']

Avant :     Tastes like McDonald's, But this place is soooo slow. I often have to repeat myself when placing and
Après :     ['taste', 'place', 'repeat', 'place', 'order']

Avant :     New to Yelp to write this review. First time at this place. Pizza awesome, Mike the waiter gross! Us
Après :     ['yelp', 'write_review', 'time', 'place', 'pizza', 'use', 'hand', 'add', 'food', 'plate']

Avant :     Had a very unusual calzone here last night.  More similar to a thin--crust pizza, folded over, with 
Après :     ['calzone', 'night', 'crust', 'pizza', 'fold', 'pizza', 'place', 'wrong', 'party', 'address']

Avant :     Service here was excellent. They hosted us for an event and were awesome. 

However, I felt that is 
Après :     ['excellent', 'host', 'event', 'feel', 'stop', 'food', 'brisket', 'mediocre', 'sit', 'day']

Avant :     Went here on Father's Day for late lunch early dinner at 3pm and the place was empty. Everything we 
Après :     ['lunch', 'dinner', 'place', 'want', 'brisket', 'hour', 'decide', 'leave', 'waiter', 'try']

Avant :     Mediocre bbq and service. Lukewarm food. The way they bring food out is like this: one person gets t
Après :     ['way', 'bring', 'food', 'person', 'plate', 'person', 'plate', 'min', 'person', 'min']

Avant :     Maybe we just ordered the wrong thing...? No, i dont think so, it was really just that bad. Besides 
Après :     ['order', 'thing', 'think', 'fact', 'take', 'hour', 'food', 'restaurant', 'pepper', 'eat']

Avant :     I was going to give them a better review but 2 of the things I was most looking forward to (the boud
Après :     ['give', 'review', 'thing', 'look', 'ball', 'grit', 'work', 'business', 'mean', 'run']

Avant :     The food was ok but it was the service that was awful. We had to wait over 45 minutes just to get ou
Après :     ['food', 'service', 'wait_minute', 'food', 'food', 'miss', 'fry', 'come', 'leave', 'wait']

Avant :     Service was slow. Not all sides ordered were delivered. Ordered brisket but wasn't informed that the
Après :     ['service', 'side', 'order', 'deliver', 'order', 'brisket', 'inform', 'table', 'receive', 'food']

Avant :     Food is mediocre. Stingy on BBQ sauce for some unknown reason. I ordered a pulled pork sandwich and 
Après :     ['food', 'bbq_sauce', 'reason', 'order', 'pull_pork', 'sandwich', 'take_min', 'arrive', 'lunch', 'time']

Avant :     Nice ambience on Maple that really has the potential to be a great barbeque setting.  The wait staff
Après :     ['ambience', 'maple', 'barbeque', 'set', 'staff', 'service', 'good', 'order', 'hickory', 'smoke']

Avant :     First time at Squeal. It was lunch time. I had the hankering for some sweet ass BBQ. I got a half a 
Après :     ['time', 'lunch', 'time', 'hanker', 'rack', 'side', 'coleslaw', 'coleslaw', 'warm', 'time']

Avant :     Ummmm... The pork belly "award winning" Poboy was dry and so tough it was just dreadful. The sides w
Après :     ['pork_belly', 'award', 'win', 'poboy', 'side', 'expect', 'staff', 'food', 'need', 'lot']

Avant :     Bland atmosphere. I do love the pulled pork tacos, but I have tried a variety of sides, and have bee
Après :     ['atmosphere', 'love', 'pull_pork', 'try', 'variety', 'side', 'disappoint', 'love', 'cheesy', 'grit']

Avant :     Decent food, slow service...a few people walked out after being over looked several times. Had the r
Après :     ['food', 'service', 'people', 'walk', 'look', 'time', 'rib', 'need', 'bbq_sauce', 'eat']

Avant :     Forced to eat a dog in the French Quarter since we got back too late to avoid the long lines to the 
Après :     ['force', 'eat', 'quarter', 'avoid', 'line', 'restaurant', 'say', 'dog', 'dog', 'tasteless']

Avant :     taste-d came by with their truck to my work... they ran out of buns and fries. 
instead of offering 
Après :     ['taste', 'come', 'truck', 'work', 'run', 'bun', 'fry', 'offer', 'put', 'topping']

Avant :     Very disappointed.  Went here for breakfast and there was no line.  We waited over 45 minutes for ou
Après :     ['breakfast', 'line', 'wait_minute', 'food', 'mine', 'come', 'apology', 'staff', 'ordering', 'pastry']

Avant :     Average at best. If this restaurant wasn't connected to the hotel I'm staying at I wouldn't eat here
Après :     ['restaurant', 'connect', 'hotel', 'stay', 'eat', 'try', 'breakfast', 'lunch', 'dinner', 'menu']

Avant :     I had sausage gravy and biscuits for my breakfast here and was severely disappointed. The gravy was 
Après :     ['sausage', 'gravy', 'biscuit', 'breakfast', 'gravy', 'lack_flavor', 'biscuit', 'cook', 'flower', 'atmosphere']

Avant :     Terrible. Not sure how this place got 4 stars.  My coke was flat but instead of fixing it she just t
Après :     ['place', 'star', 'coke', 'fix', 'take', 'omelet', 'cook', 'way', 'egg_white', 'potato']

Avant :     What can i say other than horrible service, ill prepared entire staff and shocking how on a Saturday
Après :     ['say', 'service', 'prepare', 'staff', 'shock', 'saint', 'open', 'wknd', 'weather', 'thought']

Avant :     We went here while in New Orleans because it was close to our hotel and our flight was leaving soon.
Après :     ['hotel', 'flight', 'leave', 'convenience', 'standpoint', 'make_sense', 'say', 'reason', 'way', 'place']

Avant :     waited for a 37 min on food. the place wasn't even crowded. two other couples just left money for th
Après :     ['wait', 'food', 'place', 'crowd', 'couple', 'leave', 'money', 'drink', 'table', 'walk']

Avant :     Four of us went for dinner on a Saturday night.  Before arriving we called to ask how long it would 
Après :     ['dinner', 'night', 'arrive', 'call', 'ask', 'seat', 'tell', 'minute', 'seat', 'hour']

Avant :     The pasta is overpriced, typically around $20.  For that price you should either get a large quantit
Après :     ['pasta', 'overprice', 'price', 'quantity', 'quality', 'portion', 'quality', 'say', 'pasta', 'try']

Avant :     Interior looks like a school cafeteria.

Lady taking orders was very hard to understand.  I asked fo
Après :     ['look', 'school_cafeteria', 'lady', 'take', 'order', 'understand', 'ask', 'sauce', 'receive', 'food']

Avant :     Stopped in here with my wife and a friend for lunch today. And let me tell you it will probably be t
Après :     ['stop_lunch', 'today', 'let', 'tell', 'time', 'visit', 'location', 'love', 'suck', 'ride']

Avant :     It's good till about 20 minutes after you eat it.  I had the breakfast burrito before I moved all da
Après :     ['minute', 'eat', 'breakfast', 'move', 'day', 'mistake', 'share', 'detail', 'open', 'morning']

Avant :     I stopped by this Qdoba on my way home and realized it was a mistake. I waited in the lunch rush lin
Après :     ['stop', 'realize', 'mistake', 'wait', 'lunch', 'rush', 'line', 'home', 'queso', 'rice']

Avant :     Liked Blue Bell Pizza the first time. Went there tonight because I read the wings were good and that
Après :     ['like', 'bell', 'pizza', 'time', 'tonight', 'read', 'wing', 'want', 'husband', 'wait_minute']

Avant :     Gross. The pizza was swimming in grease and the cheese wasn't fully cooked. Just disgusting.
Après :     ['pizza', 'swimming', 'grease', 'cheese', 'cook', 'disgusting']

Avant :     The service was horrible. They had me wait for 20 minutes while my food was sitting behind the count
Après :     ['service', 'wait_minute', 'food', 'sit', 'counter', 'dismissive', 'complain']

Avant :     I was really hoping to like this place after reading all the great reviews , however I had a really 
Après :     ['hope', 'place', 'read_review', 'experience', 'tonight', 'call', 'delivery', 'tell', 'minute', 'problem']

Avant :     If you're from NY or north jersey then these bagels cannot compare to those bagels. Night and day. T
Après :     ['bagel', 'compare', 'bagel', 'night', 'day', 'bagel', 'dough', 'ball', 'grocery_store', 'area']

Avant :     Place seriously needs to reevaluate how they take orders. Why is it my order needs to be complete be
Après :     ['place', 'need', 'take', 'order', 'order', 'need', 'pay', 'need', 'put', 'egg']

Avant :     The older lady may not be ready to work as a cashier. Her position should be changed temporarily to 
Après :     ['lady', 'work', 'cashier', 'position', 'change', 'cleaning', 'form', 'customer_service', 'training', 'provide']

Avant :     The place is so dirty.  I have to laugh that they invested in a new outdoor sign but if you look up 
Après :     ['place', 'laugh', 'invest', 'sign', 'look', 'ceiling', 'vent', 'dirt', 'hang']

Avant :     Been going to the Bagel Bin off and on for years, even after I moved out of the area. Stopped by on 
Après :     ['year', 'move', 'area', 'stop', 'order', 'dozen', 'bagel', 'take', 'home', 'family']

Avant :     We don't eat at KFC very often. I had the lame idea of trying it again. First off, the cashier, Mich
Après :     ['eat', 'lame', 'idea', 'try', 'cashier', 'attitude', 'problem', 'day', 'smile', 'thank']

Avant :     Their sushi burrito was nowhere near as good as the photo suggested. Plus,  the staff seemed clueles
Après :     ['photo', 'suggest', 'staff', 'seem', 'half', 'ingredient', 'back']

Avant :     Do not get the rice bowl unless you really are more interested in the vegetables than the fish.  I c
Après :     ['rice', 'bowl', 'vegetable', 'fish', 'choose', 'tuna', 'dollop', 'fish', 'cut', 'jicama']

Avant :     Hai street kitchen's sushi burritos are hit or miss. The first time, the spicy salmon (slammin' salm
Après :     ['hit_miss', 'time', 'salmon', 'warrant', 'price_tag', 'time', 'fish', 'tuna', 'taste', 'pickle']

Avant :     I heard so many great things about the restaurant. I got to go to this location and got a bowl with 
Après :     ['hear_thing', 'restaurant', 'location', 'bowl', 'grill', 'pepper', 'sauce', 'lot', 'salty', 'ask']

Avant :     this place SUCKS. Terrible service and overpriced mediocre food. This is my second time with the sam
Après :     ['place', 'suck', 'service', 'overprice', 'food', 'time', 'result', 'give_benefit', 'doubt', 'night']

Avant :     Just ok. This restaurant was attached to our hotel. 

Bread pudding was burnt on top and all of the 
Après :     ['restaurant', 'attach', 'hotel', 'bread_pudding', 'burn', 'sauce', 'drip', 'serve', 'bacon', 'onion']

Avant :     Went there this morning for brunch. The waiter was not friendly at all. Had to keep asking for coffe
Après :     ['morning', 'brunch', 'waiter', 'keep', 'ask', 'coffee_refill', 'party', 'drink', 'coffee', 'bring']

Avant :     We never got the oysters that we ordered before our entrees. When our entrees came they were far too
Après :     ['oyster', 'order', 'entree', 'entree', 'come', 'eat', 'resident', 'belgium', 'impress', 'food']

Avant :     The only reason they get two stars is that when we mentioned the 2 entrees we ordered were barely lu
Après :     ['reason_star', 'mention', 'entree', 'order', 'take', 'bill', 'star', 'couple', 'order', 'wine']

Avant :     Hostess staff less than cordial (girl with the 'Sideshow Bob' hair acts like she really doesn't give
Après :     ['staff', 'girl', 'act', 'give', 'job', 'wait', 'staff', 'mediocre', 'try', 'charge']

Avant :     Simply did not stand up to rating. Very mundane at best. They did offer to substitute some veggies f
Après :     ['stand', 'rate', 'offer', 'substitute', 'veggie', 'potato', 'serve', 'chicken']

Avant :     I came here for dinner. The service was okay, she hardly came around to our table. 

Beet salads (3/
Après :     ['come', 'dinner', 'service', 'come', 'table', 'beet', 'salad_dress', 'caramel', 'need', 'chop']

Avant :     Was really pumped to try this place Bc John Beche has such a good reputation but it was totally medi
Après :     ['pump', 'try', 'place', 'reputation', 'mediocre', 'access', 'food', 'find', 'lack', 'cook']

Avant :     Food is not worth the price, fills a hole at best. Went there for brunch because of the reviews. Men
Après :     ['food', 'price', 'fill', 'hole', 'review', 'menu', 'food', 'customer_service', 'coffee', 'way']

Avant :     This place is part of the Hilton hotel and way more expensive than the Yelp price range suggests.  R
Après :     ['place', 'part', 'way', 'yelp', 'price', 'range', 'suggest', 'room', 'service', 'food']

Avant :     If you like practicing your lip reading skills (noisy) and daydreaming about who on earth trained th
Après :     ['practice', 'lip', 'reading', 'skill', 'daydream', 'earth', 'train', 'wait', 'staff', 'manage']

Avant :     There are too many great places to eat in New Orleans for LUKE to deliver such uninspired food and i
Après :     ['place', 'eat', 'deliver', 'food', 'service', 'disappointment', 'food', 'weekend', 'cochon', 'herbsaint']

Avant :     Luke does the room service for the Hilton. I wouldn't recommend ordering room service. It was below 
Après :     ['room', 'service', 'recommend', 'order', 'room', 'service', 'average', 'find', 'gumbo', 'bitter']

Avant :     Went to Luke for happy hour expecting to come away with a smile on my face and a belly full of delic
Après :     ['hour', 'expect', 'come', 'smile', 'face', 'belly', 'oyster', 'know', 'retribution', 'inflict']

Avant :     Had breakfast here today. Service is very unattentive and we had to call the waiter multiple times f
Après :     ['breakfast', 'today', 'service', 'call', 'waiter', 'time', 'coffee', 'overcharge', 'check', 'duck']

Avant :     This place looks a lot nicer than it actually is, unfortunately. It's also priced as if it were a ni
Après :     ['place', 'look', 'lot', 'price', 'restaurant', 'order', 'soup', 'begin', 'friend', 'order']

Avant :     Average touristy place. When acclaimed chef goes mainstream commercial, it brings below average plat
Après :     ['touristy', 'place', 'acclaim', 'chef', 'commercial', 'bring', 'plate', 'experience']

Avant :     Are u kidding me? Not only were there 8 tables open when we walked in and they told us a 3 hour wait
Après :     ['kid', 'table', 'walk', 'tell', 'hour', 'wait', 'order', 'drink', 'bar', 'waiter']

Avant :     We went there after making a reservation for two. The menu does not have a lot of variety and the fo
Après :     ['make_reservation', 'menu', 'lot', 'variety', 'food', 'hope', 'meet_expectation', 'service', 'ambiance']

Avant :     I don't get all the good reviews!?? Everything was way over priced. Waiters snobby. Atmosphere....no
Après :     ['review', 'way', 'price', 'waiter', 'snobby', 'atmosphere', 'gumbo', 'meh', 'shrimp_grit', 'refill_water']

Avant :     Seafood restaurant, bill for $155 for 2, prices high, service really slow, food ok but nothing to wr
Après :     ['restaurant', 'bill', 'price', 'service_slow', 'food', 'write_home', 'table', 'clear', 'move', 'bar']

Avant :     The food was pretty good but as soon as I walked into a restaurant it smelled like rotten fish. The 
Après :     ['food', 'walk', 'restaurant', 'smell', 'fish', 'smell', 'ask', 'hostess', 'seat', 'breakfast']

Avant :     We came for the oyster happy hour and enjoyed the drinks, but were largely disappointed by the oyste
Après :     ['come', 'oyster', 'hour', 'enjoy', 'drink', 'oyster', 'oyster', 'receive', 'look', 'return']

Avant :     Waited over 20 minutes for our table even tough we had reservations.  Food wasn't all that.
Après :     ['wait_minute', 'table', 'reservation', 'food']

Avant :     I was really disappointed in the food here. The gumbo was so bland and the waiter agreed with me. Th
Après :     ['disappoint', 'food', 'gumbo', 'waiter', 'agree', 'hour', 'deal', 'oyster', 'size', 'spend']

Avant :     Not happy with the changes to the menu. I miss the Choucroute Garnie and the escargots. I also loved
Après :     ['change', 'menu', 'escargot', 'love', 'option', 'order', 'rillette', 'plate']

Avant :     Came here for lunch. The service was good but the food was underwhelming, especially for the price.

Après :     ['come', 'lunch', 'service', 'food', 'underwhelme', 'price', 'order', 'dozen', 'stuff', 'oyster']

Avant :     We wanted to like the Flamenkuchen, but just didn't.  Those big pieces of ham/bacon with all that fa
Après :     ['want', 'piece', 'bacon', 'fat', 'encounter', 'server', 'kenneth', 'course', 'decide', 'cut']

Avant :     I've been twice for lunch and disappointed each time. The food is fine but in this city fine does no
Après :     ['lunch', 'disappoint', 'time', 'food', 'city', 'fine', 'cut', 'service', 'nd', 'visit']

Avant :     Worst service! Told the hostess we wanted to sit in the bar area and she insists on sitting us in th
Après :     ['service', 'tell', 'hostess', 'want', 'bar', 'area', 'insist', 'sit', 'restaurant', 'min']

Avant :     We were on vacation and staying at the Hilton located within the same building.  The hotel recommend
Après :     ['vacation', 'stay', 'hilton', 'locate', 'build', 'hotel', 'recommend', 'restaurant', 'dinner', 'arrival']

Avant :     We went here for brunch before the parades while visiting New Orleans Feb. 2014. We didn't have a re
Après :     ['parade', 'visit', 'seat', 'husband', 'decide', 'order', 'think', 'say', 'decide', 'steak']

Avant :     Eek! Methinks not could not be more accurate! This place was not good! 

The positive: they were abl
Après :     ['methink', 'accurate', 'place', 'seat', 'accommodate', 'merge', 'group', 'reservation', 'drink', 'food']

Avant :     Don't put too much heart into this review, as I only had a soup and salad, but....

Table bread was 
Après :     ['put', 'heart', 'review', 'soup', 'salad', 'table', 'bread', 'center', 'bacon', 'salad']

Avant :     I have been to LUKE four times and this was my worst experience.  There was a hair in my Crawfish Bi
Après :     ['time', 'experience', 'hair', 'crawfish', 'bisque', 'bring', 'bartender', 'attention', 'remove', 'soup']

Avant :     Wanted to eat here, tried to eat here, reservations are merely a stab at a time you may be seated an
Après :     ['want', 'eat', 'try', 'eat', 'reservation', 'time', 'seat', 'expect', 'desk', 'treat']

Avant :     Disappointing.  Service mediocre.  Food okay.  Had the signature dish, highly recommended by waiter,
Après :     ['service', 'food', 'signature', 'dish', 'recommend', 'waiter', 'shrimp_grit', 'friend', 'omelet', 'dining']

Avant :     We had breakfast at Luke.  The restaurant opened at 7 am, but the staff was definitely not prepared 
Après :     ['restaurant', 'open', 'staff', 'prepare', 'patron', 'door', 'seat', 'hostess', 'wait', 'coffee']

Avant :     My Boyfriend's food was spicy to the point of being inedible. Mine was so bland it tasted like nothi
Après :     ['point', 'mine', 'bland', 'taste', 'realize', 'celebrity', 'chef', 'restaurant', 'make', 'name']

Avant :     Okay let's just say it was an odd menu.  But maybe not for New Orleans.  Prices are extreme.  A $19 
Après :     ['let', 'say', 'menu', 'price', 'burger', 'fry', 'crab', 'laugh', 'search', 'find']

Avant :     Went for brunch on a Saturday. They offered us the "breakfast" menu-about 3 things on that menu. Ok-
Après :     ['offer', 'breakfast', 'menu', 'thing', 'menu', 'couple', 'sit', 'minute', 'order', 'receive']

Avant :     Staff was friendly enough but the food was just so over the top rich and $50 for breakfast for two a
Après :     ['staff', 'food', 'breakfast', 'bar', 'alcohol', 'expensive', 'study', 'menu', 'option', 'egg']

Avant :     We were staying at the Hilton with a group of people. We decided to go down to the bar to have an ap
Après :     ['stay', 'group', 'people', 'decide', 'bar', 'appetizer', 'drink', 'dinner', 'hang', 'couple']

Avant :     Sorry. I was hoping this was going to be good. The food is just OK but worst of all is the service. 
Après :     ['hope', 'food', 'service', 'server', 'hostess', 'woman', 'stand', 'podium', 'giggle', 'pay_attention']

Avant :     Had a reservation on a Wednesday night for 9pm and the place closed at 11pm. Hostess was nice enough
Après :     ['reservation', 'night', 'place', 'close', 'hostess', 'sit', 'greet', 'acknowledge', 'table', 'seat']

Avant :     Gone downhill since my last visit. Customers dressed like they were at McDonald's. Waiter had no kno
Après :     ['visit', 'customer', 'dress', 'waiter', 'knowledge', 'wine', 'pronounce', 'take', 'effort', 'time']

Avant :     I was really excited to try this place after reading all of the stellar reviews. Unfortunately the s
Après :     ['excite', 'try', 'place', 'read_review', 'shrimp', 'taste', 'ammonia', 'grit', 'shrimp', 'serve']

Avant :     Went for brunch today. Had eggs in purgatory. Mediocre. Eggs over cooked. Service was ok. Not impres
Après :     ['brunch', 'today', 'egg', 'purgatory', 'egg', 'cook', 'service', 'ok', 'standard', 'suggestion']

Avant :     Gotta say this last time as a bust.. We come to NOLA once a year and have eaten here each visit. Thi
Après :     ['say', 'time', 'bust', 'come', 'eat', 'visit', 'time', 'work', 'food', 'staff']

Avant :     We were greeted by a ho-hum hostess and a waiter in a dirty jacket who stuck his elbow in my wife's 
Après :     ['greet', 'waiter', 'jacket', 'stick', 'elbow', 'wife', 'face', 'pour', 'coffee', 'egg']

Avant :     Service was fine but the food was a great disappointment. Ordered the shrimp etoufee but it was real
Après :     ['service', 'food', 'disappointment', 'order', 'etoufee', 'pasta', 'etoufe', 'shrimp', 'lot', 'pasta']

Avant :     I've been to the one is San Antonio and I thought I would give this one in New Orleans a try.  Needl
Après :     ['think', 'give', 'try', 'say', 'place', 'ruin', 'order', 'luke', 'food', 'service']

Avant :     Food is good, waiter not!.  Their wines by the glass are overpriced! So I ordered a Sauvignon blanc 
Après :     ['food', 'waiter', 'wine_glass', 'overprice', 'order', 'bill', 'arrive', 'charge', 'ask', 'waiter']

Avant :     Ambience perfect
Staff needs improvement 
Location perfect
Cocktails delicious
German starter surpri
Après :     ['ambience', 'staff', 'need_improvement', 'location', 'cocktail', 'starter', 'food', 'place', 'pay', 'dls']

Avant :     Very disappointing. The waiter seemed rushed. He didn't answer my questions about what i ordered cor
Après :     ['waiter', 'seem', 'rush', 'answer_question', 'order', 'end', 'expect', 'latte', 'luke', 'pun']

Avant :     Had two very well behaved kids with us and they said they wouldn't have a seat for 1 hr when it was 
Après :     ['behave', 'kid', 'say', 'seat', 'seating', 'tell', 'kid', 'fumble', 'lie']

Avant :     Ehhh... At least for lunch. Étouffée was ok if you live in Wyoming. Value and cost are not commensur
Après :     ['wyoming', 'value', 'cost', 'commensurate', 'diff', 'borgne', 'regency']

Avant :     First place we walked into upon arriving to the city...right outside our hotel. Greeting ladies seem
Après :     ['place', 'walk', 'arrive', 'city', 'hotel', 'greeting', 'lady', 'seem', 'reservation', 'seem']

Avant :     Went here for brunch and thought the food was just okay.  Had the shrimp and grits - $24 for five sh
Après :     ['think', 'food', 'shrimp_grit', 'shrimp', 'appetizer', 'portion', 'grit', 'food', 'bit', 'leave']

Avant :     I, only gave 1 star because based on the appearance of the building,  it was not well maintained.  O
Après :     ['give_star', 'base', 'appearance', 'building', 'maintain', 'make', 'money', 'make', 'menu']

Avant :     Not terrible, just not good.  Steak was pretty skinny cut, ordered medium, came super well-done (roa
Après :     ['steak', 'cut', 'order', 'medium', 'come', 'roadkill', 'season', 'potato', 'bake', 'standard']

Avant :     The service was so bad; no utensils and no napkins, even though they knew we were staying at a hotel
Après :     ['service', 'napkin', 'know', 'stay_hotel', 'forget', 'deliver', 'wait', 'hour', 'come', 'course']

Avant :     Food was terrible!!! I ordered through Postmates and my order was WRONG. The food was so bland and s
Après :     ['food', 'order', 'postmate', 'order', 'food', 'bland', 'let', 'set_foot', 'place', 'ask']

Avant :     Ordered delivery through Postmates to be delivered to our hotel room. The delivery guy was very very
Après :     ['order', 'delivery', 'postmate', 'deliver', 'hotel', 'room', 'delivery_guy', 'restaurant', 'pack', 'utensil']

Avant :     Food is delicious but our food took forever we waited almost 30 mins before even getting water. Ever
Après :     ['food', 'take', 'wait_min', 'water', 'course', 'take', 'order', 'need', 'staff']

Avant :     The service is HORRIBLE!!! Server added 20% gratuity on our check without our consent and there are 
Après :     ['service', 'server', 'add_gratuity', 'check', 'consent', 'plan', 'let', 'tax', 'gratuity', 'think']

Avant :     Cute little place, nice atmosphere. I ordered a grilled pork vermicelli and the noodles were cold, n
Après :     ['cute', 'place', 'atmosphere', 'order', 'grill', 'noodle', 'point', 'pork', 'flavor', 'point']

Avant :     lousy service. Make us waiting for 20 minutes until got served. and have compulsory tips. undesirabl
Après :     ['service', 'make', 'wait_minute', 'serve', 'tip', 'experience']

Avant :     Ok food. Bad attitude...  Sat here for 20 mins, and didn't even know who our server was. No one even
Après :     ['food', 'attitude', 'sit', 'min', 'know', 'server', 'one', 'come', 'ask', 'need']

Avant :     Food poisoning.  I have been in bed for the past two days. 4 hours after eating a, sketchy at best, 
Après :     ['food_poison', 'bed', 'day', 'hour', 'eat', 'burger', 'burger', 'bed', 'part', 'bathroom']

Avant :     The 'fries' were soggy and tasteless, mostly the potato ends.  Not pleasant at all.  The chicken san
Après :     ['fry_soggy', 'tasteless', 'potato', 'end', 'chicken', 'sandwich', 'greasy', 'piece_chicken', 'piece', 'grease']

Avant :     Everytime I have gone here they have messed up the order. The receipt will be correct but then they'
Après :     ['everytime', 'order', 'receipt', 'take', 'sandwich', 'time', 'drive', 'forget', 'item', 'time']

Avant :     So many better places to eat in Reno. I mean why even bother with this place. Find a place that uses
Après :     ['place', 'eat', 'mean', 'bother', 'place', 'find', 'place', 'use', 'chicken', 'say']

Avant :     We were spending the night in Reno and wanted to try Chick-fil-A. I don't know if it was just this d
Après :     ['spending', 'night', 'want', 'try', 'fil', 'know', 'drive', 'chicken', 'sandwich', 'milkshake']

Avant :     Went to Chick-fil-A tonight very very disappointed the fries were undercooked my chicken sandwich wa
Après :     ['fil', 'tonight', 'fry', 'undercooke', 'chicken', 'sandwich', 'service']

Avant :     Horrible! Liars. Called at 2:28 for to go order and said they close at 2:30. Ok so take my order. Fu
Après :     ['liar', 'call', 'order', 'say', 'take', 'order', 'say', 'chef', 'leave', 'restaurant']

Avant :     Just one word... Awful. Out $80 for takeout that just went into the trash. Fish was not fresh and mi
Après :     ['word', 'takeout', 'trash', 'fish', 'miso_soup', 'smell', 'cleaning', 'solution', 'time', 'order']

Avant :     Not the best place I have eaten at, the table was dirty and the food was cold when it got to me
Après :     ['place', 'eat', 'table', 'food']

Avant :     The food was amazing! BUT, the service was terrible. After we received our food, we didn't see our w
Après :     ['food', 'service', 'receive', 'food', 'see', 'waitress', 'one', 'find', 'want', 'order']

Avant :     There were maggots in the ketchup last time we went when they first opened.  Haven't been back since
Après :     ['maggot', 'ketchup', 'time', 'open']

Avant :     Went here because I saw they got best of in a magazine.  I was very disappointed.  Got seated right 
Après :     ['see', 'magazine', 'seat', 'food', 'take', 'bit', 'come', 'brisket', 'greasy']

Avant :     This is the worst Taco Bell there is, and sadly, the only one open past 10, and sometimes 9 dependin
Après :     ['bell', 'depend', 'feel', 'day', 'guess', 'thing', 'thing', 'joke', 'sit', 'drive']

Avant :     You will wait at least over 30 minutes in the drive thru! Go to ANY other Taco Bell and you wont! I 
Après :     ['wait_minute', 'drive', 'bell', 'try', 'time', 'year', 'fail', 'care', 'wait', 'offer']

Avant :     The drive thru wait time is the worst in the nation. Minimum 15 mins with no cars in line. I once wa
Après :     ['drive', 'time', 'nation', 'minimum', 'min', 'car', 'line', 'wait_min', 'drive', 'service']

Avant :     Nothing has changed since the last time I was in this drive thru, except at the moment I've been wai
Après :     ['change', 'time', 'drive', 'moment', 'wait_minute', 'think', 'keep', 'update_review', 'time', 'restaurant']

Avant :     Your restaurant wasn't busy I work in fast food and I know what  what busy is your employees are slo
Après :     ['restaurant', 'work', 'food', 'know', 'employee', 'slow', 'shit', 'min', 'order', 'check']

Avant :     So to start there wasn't a single person inside the restaurant and I was still told to wait in the d
Après :     ['start', 'person', 'restaurant', 'tell', 'wait', 'drive', 'minute', 'wait_minute', 'item', 'boy']

Avant :     Put up a freaking sign on the drive thru entrance if there will be a minimum of 10mins wait so it wi
Après :     ['put', 'freak', 'sign', 'drive', 'entrance', 'minimum', 'min', 'wait', 'give', 'customer']

Avant :     This restaurant, while having decent food, discriminates against certain patrons. Perhaps they eat m
Après :     ['restaurant', 'food', 'discriminate', 'patron', 'eat', 'management', 'like', 'stay', 'bit', 'eat']

Avant :     Beetle under the basil in my Panang Curry.
Aroy Thai was my go-to Thai place even though I knew it h
Après :     ['know', 'rating', 'year', 'cleanliness', 'tell', 'taste', 'customer', 'area', 'restaurant', 'atmosphere']

Avant :     Dirty inside the restaurant. We ordered carry out and got back to our room, no napkins, plastic ware
Après :     ['restaurant', 'order', 'room', 'napkin', 'plastic', 'ware', 'sauce', 'food', 'ginger', 'crab_rangoon']

Avant :     Aroy Thai used to be amazing! My wife and I would always go because the food is amazing and their cu
Après :     ['use', 'wife', 'food', 'customer_service', 'staff', 'order', 'food', 'tonight', 'order', 'tea']

Avant :     Thai Iced Coffee: typical (but good).

Pad Thai: got three stars. Only taste was spice- no other fla
Après :     ['ice', 'coffee', 'pad', 'star', 'taste', 'spice', 'flavor', 'bland', 'noodle', 'chicken']

Avant :     First of all when I think of Thai food I think fresh. Not at Aroy, they use frozen veggies! I had th
Après :     ['think', 'food', 'think', 'aroy', 'use', 'veggie', 'basil', 'chicken', 'think', 'put']

Avant :     Bummer, just moved to this area and this was my first visit to this location.  I didn't receive my c
Après :     ['bummer', 'move', 'area', 'visit', 'location', 'receive', 'change', 'receipt', 'change', 'ask']

Avant :     Eat there about every two weeks and it is either a training store of some kind or they are the weak 
Après :     ['eat', 'week', 'training', 'store', 'store', 'area', 'food', 'time', 'drive', 'tell']

Avant :     Both times we have come to this location the service is remarkably slow during non peak hours. the e
Après :     ['time', 'come', 'location', 'service_slow', 'non', 'peak', 'hour', 'employee', 'seem', 'listen']

Avant :     Came here with my mom all of the employees looked very young it looked like a hang out spot they wer
Après :     ['come', 'mom', 'employee', 'look', 'look', 'hang', 'spot', 'stand', 'talk', 'mom']

Avant :     Gotta love when you get overcharged for the wrong order and your food is cold... not only that but b
Après :     ['love', 'overcharge', 'order', 'food', 'charge', 'person', 'sit', 'restaurant', 'eat', 'meal']

Avant :     Drive thru.  I asked for cheese.  Why didn't you give me the cheese I asked for?  I ordered chili.  
Après :     ['drive', 'ask', 'cheese', 'give', 'cheese', 'ask', 'order', 'chili', 'time', 'order']

Avant :     Horrible  experience .
We been there yesterday with some friends.
Long time waiting, costumer reclai
Après :     ['experience', 'yesterday', 'friend', 'time', 'wait', 'food', 'come', 'table', 'ask', 'pizza']

Avant :     Do not waste your time and money on this place. The "food" is what you might expect from a small tow
Après :     ['waste_time', 'money', 'place', 'food', 'expect']

Avant :     Came here with high expectations for margaritas with friends. Ordered a frozen strawberry margarita 
Après :     ['come', 'expectation', 'friend', 'order', 'strawberry', 'margarita', 'give', 'strawberry', 'syrup', 'order']

Avant :     The good is great but the service is so bad. I've given this place several chances but I will never 
Après :     ['service', 'give', 'place', 'chance', 'eat', 'ask', 'queso', 'time', 'receive', 'order']

Avant :     Wasn't impressed, gave it 2 chances. 
Cons: 
No waiting area
When we were sat.... we were just point
Après :     ['give_chance', 'con', 'wait', 'area', 'sit', 'point', 'table', 'service', 'server', 'guy']

Avant :     Location, Location, Location.  That is about all El Arado has going for it.  

The food is really la
Après :     ['location', 'location', 'location', 'food', 'lack', 'serve', 'make', 'bean', 'bland', 'food']

Avant :     I went to El Arado yesterday with a group of friends. All I can say about the food and service is th
Après :     ['yesterday', 'group', 'friend', 'say', 'food', 'service', 'wait', 'hour', 'food', 'come']

Avant :     i've been to dickey's in at least three locations in other cities. usually its great and i enjoy the
Après :     ['location', 'city', 'enjoy', 'meat', 'side', 'special', 'disappoint', 'trip', 'manager', 'train']

Avant :     The food was blah.2 stars at best.staff seemed annoyed. Bathrooms were disgustingly filthy.there was
Après :     ['food', 'blah', 'star', 'staff', 'seem', 'bathroom', 'tea', 'container', 'bbqsauce', 'container']

Avant :     I guess the best way to describe our experience would be the word bummer.  The food was just awful, 
Après :     ['guess', 'way', 'describe', 'experience', 'word', 'bummer', 'food', 'salt', 'service', 'light']

Avant :     Fucking piss poor service  mediocre food  This burger king need not too be in service any longer. Do
Après :     ['service', 'food', 'burger', 'king', 'need', 'service', 'bother', 'waste_time', 'eat', 'stop']

Avant :     I have now been waiting in line for 30 minutes for my order to be processed. Unreal!  Poor managemen
Après :     ['wait_line', 'minute', 'order', 'process', 'management', 'lack']

Avant :     This place was very unwelcoming I won't be back first time I came in to see the new renovations whic
Après :     ['place', 'unwelcome', 'time', 'come', 'see', 'renovation', 'like', 'staff', 'come', 'contact']

Avant :     When I looked up the hours of operation here it said 7 AM to 3 AM. I arrived just before 2:30 AM aft
Après :     ['look', 'hour_operation', 'say', 'arrive', 'movie', 'food', 'pull', 'refuse', 'service', 'show']

Avant :     Tried this place the other day the pizza was not very good at all the place before this one was so m
Après :     ['try', 'place', 'day', 'pizza', 'place', 'home', 'make', 'food', 'stuck']

Avant :     I ordered delivery, food was an hour ad a half late and cold when it arrived. I was told they would 
Après :     ['order', 'delivery', 'food', 'hour', 'ad', 'half', 'arrive', 'tell', 'send', 'drink']

Avant :     I've been here three times and have had three poor experiences. Once it took twenty minutes for a ch
Après :     ['time', 'experience', 'take', 'minute', 'cheeseburger', 'time', 'pizza', 'cold', 'time', 'call']

Avant :     Ordered a chicken Caesar wrap. Soon after, my stomach turned into knots. I became very ill and had t
Après :     ['order', 'stomach', 'turn', 'knot', 'become', 'lie', 'bed', 'rest', 'day', 'order']

Avant :     Extremely slowwwwwww. Dinner took 3 hours, waitress and service wasn't great. Constantly asking for 
Après :     ['dinner', 'take', 'hour', 'waitress', 'service', 'ask', 'thing', 'need', 'bus_boy', 'food']

Avant :     Visited Bottos for first time last evening with friends. Very nice facility, although odd the attach
Après :     ['visit', 'botto', 'time', 'evening', 'friend', 'facility', 'market', 'seem', 'restaurant', 'none']

Avant :     been here several times for dinner in the bar area. its never a good sign when your server is talkin
Après :     ['time', 'dinner', 'bar', 'area', 'sign', 'server', 'talk', 'thing', 'menu', 'meat']

Avant :     CLOSED.  Because it's not clear from this Yelp page, I just wanted to point out that the Centennial 
Après :     ['close', 'yelp', 'page', 'want', 'point', 'centennial', 'cafe', 'close']

Avant :     A decent little place in Philly's gayborhood.  But nothing to write home about.  I do have to say, t
Après :     ['place', 'gayborhood', 'write_home', 'say', 'food', 'wood_fire', 'pizza', 'hummus', 'employee', 'work']

Avant :     I was really excited for this place, we gave a month to work out the kinks before we went. 
We final
Après :     ['excite', 'place', 'give', 'month', 'work', 'kink', 'walk', 'take', 'minute', 'water']

Avant :     Went there for a Sunday lunch at 1215pm and the place was closed. Sign and website say open at 1200.
Après :     ['lunch', 'place', 'close', 'sign', 'website', 'say', 'call', 'see', 'bother', 'come']

Avant :     I can't say if the food was good or not because we didn't get any! I called 2 days ago and made a re
Après :     ['say', 'food', 'good', 'call', 'day', 'make_reservation', 'noon', 'party', 'company', 'arrive']

Avant :     I wanted to like this place, but I just can't pay $13 for chicken and lasagna that have been sitting
Après :     ['want', 'place', 'pay', 'chicken', 'sit', 'heat', 'lamp', 'know', 'food', 'taste']

Avant :     This is just a place to drink as the food is completely overpriced for the boring and typical Tex-Me
Après :     ['place', 'drink', 'food', 'overprice', 'crap', 'wrap', 'tortilla', 'type', 'mex', 'complicate']

Avant :     Went last night. Service was terrible. Our waiter was such a nice guy too. Idk what was going on but
Après :     ['night', 'service', 'waiter', 'guy', 'take', 'drink', 'bring', 'chip_salsa', 'drink', 'water']

Avant :     We've decided to end our long term relationship with Santa Fe. We use to love it when it was on Fren
Après :     ['decide', 'end', 'term', 'love', 'frenchman', 'storm', 'owner', 'open', 'esplanade', 'margarita']

Avant :     Still searching for good food from south of the border. This was not it. I don't know what was wrong
Après :     ['search', 'food', 'border', 'know', 'day', 'visit', 'take', 'come', 'table', 'seat']

Avant :     Please tell your patrons the details of your happy hour. "Margaritas are half off" is different than
Après :     ['tell', 'patron', 'detail', 'hour', 'margarita', 'half', 'house', 'margarita', 'half', 'salsa']

Avant :     My partner and I had one of our first dates at the original Santa Fe in the Marigny, so it has long 
Après :     ['partner', 'date', 'hold', 'place', 'heart', 'love', 'sit', 'patio', 'series', 'visit']

Avant :     This place is the worst pizza spot around it sucks big time so much stuff went wrong I do not think 
Après :     ['place', 'pizza', 'spot', 'suck', 'time', 'stuff', 'think', 'type', 'cause', 'look']

Avant :     On the short list for most depressing place on Earth along with North Korea and the Eagles' Super Bo
Après :     ['list', 'depress', 'place', 'earth', 'eagle', 'trophy', 'case', 'run', 'rip', 'booth']

Avant :     Horrible service!  There for an hour and a half and never got food. Six tables seated after us got f
Après :     ['service', 'hour_half', 'food', 'table', 'seat', 'feed', 'server', 'say', 'know', 'happen']

Avant :     Server was not good, I had high expectations of the food, but was let down. I ordered the Shrimp & G
Après :     ['server', 'expectation', 'food', 'let', 'order', 'shrimp_grit', 'partner', 'order', 'egg_bacon', 'sausage']

Avant :     Open air to the street is nice.

Tables are WAY too small and cramped together. Service was especial
Après :     ['air', 'street', 'table', 'way', 'cramp', 'service_slow', 'place', 'bacon', 'blood', 'taste']

Avant :     I dined here yesterday with two friends and we all ordered shrimp and grits. When our orders were br
Après :     ['dine', 'yesterday', 'friend', 'order', 'shrimp_grit', 'order', 'bring', 'shrimp_grit', 'look', 'sit']

Avant :     After reading the reviews we decided to try it out.  Waited about 1/2  hour and was seated at a dirt
Après :     ['read_review', 'decide', 'try', 'wait', 'hour', 'table', 'remnant', 'leave', 'breakfast', 'chair']

Avant :     Waited 1 hour for a simple salad.
This place takes forever to bring out your food!
The service is sl
Après :     ['wait', 'hour', 'place', 'take', 'bring', 'food', 'service', 'ask', 'salad', 'plane']

Avant :     Service was great and egg platter was good but french toast was absolutely terrible.  It was so toug
Après :     ['egg', 'toast', 'cut', 'knife', 'see', 'amount', 'egg', 'surface', 'bread', 'call']

Avant :     In NO on business, and always try to eat where the locals do, or at least avoid the chains. This pla
Après :     ['business', 'try', 'eat', 'local', 'avoid', 'chain', 'place', 'come', 'recommend', 'set']

Avant :     Nice food but don't go to this place when their busy time, such as brunch time:))  

After we ordere
Après :     ['food', 'place', 'time', 'brunch', 'time', 'order', 'hour', 'food', 'show', 'ask']

Avant :     The food was GREAT if you ever get seated. While I can understand it's a small establishment the per
Après :     ['food', 'understand', 'establishment', 'person', 'run', 'seat', 'chart', 'seating', 'reasoning', 'lot']

Avant :     Rude, rude, rude! Hung up on me on the phone twice when I was asking about wait time. Food can't be 
Après :     ['hang', 'phone', 'ask', 'wait', 'time', 'food', 'redeem_quality']

Avant :     I honestly walked 20 minutes just to get to this place and was excited to give it a try...  First I 
Après :     ['walk', 'minute', 'place', 'give', 'try', 'set', 'place', 'balcony', 'take', 'minute']

Avant :     Food came out cold. Cappuccino was ok. Server was able to add smoked boudin to my farmers omelette f
Après :     ['food', 'come', 'cappuccino', 'server', 'add', 'smoke', 'give', 'review', 'expect', 'service']

Avant :     This place is overrated for sure. The food is mediocre at best. We had the French toast which was so
Après :     ['place', 'overrate', 'food', 'mediocre', 'toast', 'soggy', 'flavor', 'location', 'table', 'space']

Avant :     Read all the reviews and was very excited to try this restaurant. So cute and adorable as we approac
Après :     ['read_review', 'excite', 'try', 'restaurant', 'approach', 'try', 'turn', 'door', 'dog', 'rule']

Avant :     I would have loved to write a positive review about this restaurant, however, the hostess at the doo
Après :     ['love', 'write_review', 'restaurant', 'hostess', 'door', 'give', 'opportunity', 'treat', 'manner', 'shove']

Avant :     Who knows how the food is. We've been waiting almost an hour and haven't received it yet. The waitre
Après :     ['know', 'food', 'wait', 'hour', 'receive', 'waitress', 'say', 'people', 'come', 'receive']

Avant :     Terrible service, one of the worst Bloody Mary's I have ever had, and one of the saddest BLTs I have
Après :     ['service', 'mary', 'blt', 'see', 'experience']

Avant :     Beware!!!! New ownership!!! Not same place at all!! I am so dissapointed in food amd service.  Reall
Après :     ['beware', 'ownership', 'place', 'dissapointe', 'food', 'service', 'use', 'restaurant', 'bother', 'place']

Avant :     This was a horrible breakfast and diner area. Took very long to serve and extremely unpleasant servi
Après :     ['breakfast', 'diner', 'area', 'take', 'serve', 'service', 'woman', 'register', 'way_overprice', 'sit']

Avant :     We tried Cafe Fleur De Lis on our recent trip to New Orleans. Using the factors of atmosphere, taste
Après :     ['try', 'trip', 'use', 'factor', 'atmosphere', 'taste', 'pricing', 'underwhelme', 'restaurant', 'order']

Avant :     Snotty hostess, unless you like stink eye. Runniest hollondais ever.
Good otherwise. 
Don't bother -
Après :     ['bother']

Avant :     Mediocre all the way.

We were looking for a good bfast, and was sorely disappointed. The food was m
Après :     ['way', 'look', 'bfast', 'disappoint', 'food', 'service', 'wait_minute', 'food', 'egg', 'pancake']

Avant :     Plain interior, ok service, bland food. Not bad, just not worth it in the plethora of French Quarter
Après :     ['service', 'bland', 'food', 'quarter', 'option', 'day', 'egg', 'hash_brown', 'fix', 'chocolate']

Avant :     Hassled us about our service dog, messed up both of our orders. I'm pregnant and can't have raw egg 
Après :     ['hassle', 'service', 'mess', 'order', 'egg', 'tell', 'waitress', 'say', 'problem', 'egg']

Avant :     Chaos. Food barely warm. Cooks cannot keep up.. This place needs competent cooks. Never coming back.
Après :     ['chaos', 'food', 'cook', 'keep', 'place', 'need', 'cook', 'come']

Avant :     I was attracted by the reviews which were enticing. The service was deficient by delivering the orde
Après :     ['attract', 'review', 'entice', 'service', 'deliver', 'order', 'food', 'choice']

Avant :     Other reviews spot on.  You wait to be seated but they will text you.   You wait at the table to ser
Après :     ['review', 'spot', 'wait', 'text', 'wait', 'table', 'serve', 'wait', 'food', 'plan']

Avant :     I used to like this place but just had breakfast there and was disgusted by the number of health cod
Après :     ['use', 'place', 'breakfast', 'number', 'health_code', 'violation', 'witness', 'force', 'watch', 'kitchen']

Avant :     Sat down with another group in front of us and was ignored for 25 minutes. The group in front and be
Après :     ['sit', 'group', 'front', 'ignore', 'minute', 'group', 'front', 'wait', 'serve', 'point']

Avant :     Don't bother waiting to get a seat. You can place an order and wait for over an hour for your food. 
Après :     ['bother', 'wait', 'seat', 'place', 'order', 'wait', 'hour', 'food', 'husband', 'leave']

Avant :     Horrible experience. We didn't get anything we ordered. Ordered grits, got hash browns. No explanati
Après :     ['experience', 'order', 'order', 'grit', 'hash_brown', 'explanation', 'ask', 'order', 'avocado', 'avocado']

Avant :     The hostess was very rude. Their were two empty tables and a line of people waiting to be seated. Wh
Après :     ['table', 'line', 'people', 'wait', 'ask', 'table', 'hostess', 'start', 'attitude', 'waste_time']

Avant :     Major disappointment. After reading positive reviews and seeing the line out the door, I assumed thi
Après :     ['disappointment', 'read_review', 'see', 'line', 'door', 'assume', 'breakfast', 'choice', 'wrong', 'default']

Avant :     The food is very good!  That is why I overlooked the horrible service on my first visit.  The staff 
Après :     ['food', 'overlook', 'service', 'visit', 'staff', 'act', 'customer', 'burden', 'chef', 'nap']

Avant :     No bottled water. Hash browns had tons of pepper making them inedible, ordered over medium eggs, got
Après :     ['water', 'hash_brown', 'ton', 'pepper', 'make', 'order', 'egg_bacon', 'soggy', 'return']

Avant :     Was there for lunch this past Sunday. Placed order and after waiting an hour four our food, decided 
Après :     ['lunch', 'place', 'order', 'waiting_hour', 'food', 'decide', 'wait', 'leave', 'order', 'bowl']

Avant :     Pros: 
Family friendly, convenient location, great crowd, clean and no drunks in the restaurant duri
Après :     ['pro', 'family', 'location', 'crowd', 'drunk', 'restaurant', 'day', 'con', 'service', 'waiter']

Avant :     My wife and I got the feeling that they couldn't be bothered with us.  We are 40+ affluent creoles w
Après :     ['feel', 'bother', 'creole', 'job', 'know', 'behave', 'restaurant', 'caucasian', 'treat', 'ignore']

Avant :     Just an ok place, typical so-so food, nothing to write home about.

I ordered omlette Fleur De Lis. 
Après :     ['place', 'food', 'write_home', 'order', 'crawfish', 'tail', 'cheese', 'omlette', 'diner', 'say']

Avant :     This place is much more diner than cafe, i.e., not the cleanest place I've ever brunched.  I ordered
Après :     ['place', 'diner', 'cafe', 'place', 'brunch', 'order', 'coffee', 'egg', 'hash_brown', 'coffee']

Avant :     I went last year and food and service was wonderful. Came back today with high expectations. Awful!!
Après :     ['year', 'food', 'service', 'come', 'today', 'expectation', 'order', 'egg_benedict', 'year', 'year']

Avant :     Ok, so the grits were the best I had in NOLA, but NO GLOVES being used by cooks.  I watched two men 
Après :     ['grit', 'glove', 'use', 'cook', 'watch', 'man', 'touch', 'shirt', 'hand', 'sanitizer']

Avant :     i would never eat here again. all bread and no crab or lobster. its a   place  eat and id never go t
Après :     ['eat', 'bread', 'eat', 'come', 'town', 'eat', 'service', 'pay_dollar', 'eat', 'leave']

Avant :     First time visiting this place I walked in the door to order 15 minutes before they close and they s
Après :     ['time', 'visit', 'place', 'walk_door', 'order', 'minute', 'say', 'close', 'place', 'turn']

Avant :     Couldn't be more disappointed. Was really looking forward to having a gyro. The lamb gyro is not a g
Après :     ['look', 'gyro', 'lamb', 'gyro', 'gyro', 'chunk', 'cook', 'spit', 'shave', 'flavor']

Avant :     High prices for what it is. I got a chicken salad and it was terrible. SOAKED in dressing with some 
Après :     ['price', 'chicken', 'salad', 'soak', 'dress', 'meat', 'chicken', 'pita', 'mediocre', 'drench_sauce']

Avant :     Called an Order In and I repeated it twice drove 15 miles home to find its completely wrong. The lad
Après :     ['call', 'order', 'repeat', 'drive', 'mile', 'find', 'lady', 'staple', 'bag', 'see']

Avant :     Called for a to-go order 7/2: put on hold for 15min, gave up went elsewhere.

Called for a to-go ord
Après :     ['call', 'order', 'put_hold', 'min', 'give', 'call', 'order', 'put_hold', 'min', 'give']

Avant :     So I came to Taco Bell here in Willingboro only to be served a cold burrito and 2 tacos for a total 
Après :     ['come', 'serve', 'change', 'disappoint', 'plan', 'spend', 'dime', 'address', 'service']

Avant :     If I could give negative zero stars I would. I came here tonight and it was gross. I normally love T
Après :     ['give_star', 'come', 'tonight', 'love', 'ice', 'drink', 'sauce', 'drive', 'member', 'give']

Avant :     Slightly edible is all I can say. I can honestly say it is perhaps the worst taco Bell I've been to 
Après :     ['say', 'say', 'bell', 'like', 'minute', 'wait', 'disappoint']

Avant :     Usually I have no problems at Remedy. However, when I went with a girlfriend last week I was unimpre
Après :     ['problem', 'remedy', 'girlfriend', 'week', 'hummus', 'fly', 'buzz', 'eat', 'seem']

Avant :     Overpriced, but the food is not horrible. 

What's horrible is the fact that none of the food is pre
Après :     ['overprice', 'food', 'fact', 'none', 'food', 'prepare', 'utilize', 'portion', 'food', 'cook']

Avant :     First the wrap was quite good. It was the service and the attitude I did not like.  It is total self
Après :     ['wrap', 'service', 'attitude', 'self', 'serve', 'yell', 'drink', 'listen', 'come', 'come']

Avant :     I am a regular customer at remedy however this location is horrible. They don't have enough staff in
Après :     ['customer', 'remedy', 'location', 'staff', 'people', 'order', 'order', 'wait_minute', 'take', 'part']

Avant :     Definitely won't be returning to this location. I parked in the lot directly beside Remedy and recei
Après :     ['return', 'location', 'park', 'lot', 'remedy', 'receive', 'dollar', 'parking', 'ticket', 'cafe']

Avant :     My Americano misto was Brutal. Great looking Cafe and the food looked really good. I guess I should 
Après :     ['misto', 'look', 'cafe', 'food', 'look', 'guess', 'snack', 'take', 'pass', 'coffee']

Avant :     Hot, no a/c when I was there. Smokey. Great dirt leg bar for a drink but otherwise, hell no.
Nasties
Après :     ['smokey', 'leg', 'bar', 'drink', 'overprice', 'fry', 'burger', 'restaurant', 'see', 'food']

Avant :     I love going to a Steelers bar. The fans there were great and the employees were nice and pleasant. 
Après :     ['love', 'steeler', 'bar', 'fan', 'employee', 'pleasant', 'bar', 'allow', 'smoking', 'bar']

Avant :     I really liked this place for a long time when its was Steve's. Towards the end of Steve's I noticed
Après :     ['like', 'place', 'time', 'end', 'notice', 'decline', 'food', 'service', 'continue', 'management']

Avant :     I ordered a basic two eggs breakfast. It was not good. The bacon was overdone, the hash browns were 
Après :     ['order', 'egg', 'breakfast', 'bacon', 'overdone', 'hash_brown', 'flavorless', 'biscuit', 'waitress', 'understand']

Avant :     Ate here for lunch. One word to describe my food experience... "Confused". Had the chicken club and 
Après :     ['eat', 'lunch', 'word', 'describe', 'food', 'experience', 'chicken', 'club', 'husband', 'menu_item']

Avant :     Ok, went for dinner.  First visit.  I was not impressed.  the food looked like it had been out for a
Après :     ['dinner', 'visit', 'food', 'look', 'time', 'meat', 'dry', 'stuff', 'like', 'menu']

Avant :     This place has the best food selection in town. Pretty good breakfast, better than the cracker box. 
Après :     ['place', 'food', 'selection', 'town', 'breakfast', 'cracker', 'box', 'drink', 'waitress', 'minute']

Avant :     Meh.. kinda gross. Whoever was in the back cooking on a Monday night was doing it wrong. I've had be
Après :     ['gros', 'cooking', 'night', 'wrong', 'beef_broccoli', 'food', 'court', 'disappoint', 'meal', 'return']

Avant :     Well, it's probably unfair to rate this place the same way I would rate Vietnamese food in the Bay A
Après :     ['rate', 'place', 'way', 'rate', 'spice', 'chicken', 'stretch', 'imagination', 'flavor', 'dump']

Avant :     Ordered here three times now through Uber and the first time was amazing. The sausage and peppers pi
Après :     ['order', 'time', 'uber', 'time', 'sausage', 'pepper', 'pie', 'pasta', 'time', 'sausage']

Avant :     The staff is attentive and friendly. The pizza? It's not really pizza. At least what we were served 
Après :     ['staff', 'attentive', 'pizza', 'pizza', 'serve', 'dough', 'top', 'sauce', 'night']

Avant :     Pizza is average at best.  Service is below average -- they just wanted to hang out at the end of th
Après :     ['pizza', 'service', 'average', 'want', 'end', 'bar', 'complain', 'customer', 'roll', 'silverware']

Avant :     I have been going to this place since they opened as Pizza Fusion. Ever since the name change they h
Après :     ['place', 'open', 'pizza', 'fusion', 'name', 'change', 'hill', 'leave', 'give', 'order']

Avant :     Even in the middle of lunchtime on a weekday, food is cold-old. With that odor associated with somet
Après :     ['weekday', 'food', 'odor', 'associate', 'wait', 'flavor', 'transmute', 'attitude', 'account', 'imagine']

Avant :     Sounded good, went to try it at 10:30 Sunday morning . Big mistake . Too many ignorant yuppies who d
Après :     ['sound', 'try', 'morning', 'mistake', 'yuppie', 'realize', 'sit', 'minute', 'chat', 'coffee']

Avant :     Foods good but, there is not seating and it's very loud. They ran out of ciabatta buns.
Après :     ['food', 'seating', 'run', 'ciabatta', 'bun']

Avant :     I hadn't been to Yolklore since summer 2016 when they opened. I went on a weekday morning and ordere
Après :     ['yolklore', 'summer', 'open', 'morning', 'order', 'nest', 'egg', 'biscuit', 'crust', 'buttonwood']

Avant :     We took our family of 4 to eat here & found the seating situation inside to be tremendously unaccomm
Après :     ['take', 'family', 'eat', 'find', 'seat', 'situation', 'unaccommodate', 'family', 'child', 'children']

Avant :     I had the slinger and all the flavors felt off.  Just not impressed... this is one of those trendy p
Après :     ['flavor', 'feel', 'impress', 'place', 'put', 'metro', 'food', 'menu']

Avant :     Fairly disappointed. Ordered pick up and the person on the phone hurried my g/f off the phone withou
Après :     ['order', 'pick', 'person', 'phone', 'phone', 'order', 'give', 'estimate', 'time', 'look']

Avant :     I was going to give it one star but decided 2 stars is fine. For the most part I get what I ordered,
Après :     ['give_star', 'decide', 'star', 'part', 'order', 'pay', 'wait_minute', 'find', 'thing', 'want']

Avant :     Worst Arby's ever. Food is always cold. You may as well slap a $5 on the counter and say "just give 
Après :     ['food', 'slap', 'counter', 'give', 'food', 'cause', 'order', 'forget', 'place', 'suck']

Avant :     Why do I have to keep leaving updates? I spoke with the district manager. She was super nice and pro
Après :     ['keep', 'leave', 'update', 'speak', 'district', 'manager', 'promise', 'mail', 'gift_card', 'compensate']

Avant :     Islands sucks! Nobody knew what they were doing, service was terrible, we had to get up to go order 
Après :     ['island', 'suck', 'know', 'service', 'order', 'kitchen', 'bill', 'food', 'hour', 'ask']

Avant :     It's basically The Habit. The Burgers were a bit larger but double the price, quality was equal. Ser
Après :     ['habit', 'burger', 'price', 'quality', 'service_slow', 'take_min', 'meet', 'waiter', 'forgot', 'water']

Avant :     Went in for lunch on my break with a co-worker, seated right away as the restaurant was not busy. We
Après :     ['lunch_break', 'co_worker', 'seat', 'restaurant', 'sit', 'booth', 'booth', 'dish', 'pile', 'minute']

Avant :     terrible food and the manager was shockingly rude when I tried to return my food. I had the frogs le
Après :     ['food', 'manager', 'try', 'return', 'food', 'frog', 'rubbery', 'taste', 'behavior', 'treat']

Avant :     Worst of the worst. Ordered three items and waited 40 minutes for the barbecued shrimp to come out. 
Après :     ['order', 'item', 'wait_minute', 'barbecue', 'shrimp', 'come', 'tell', 'minute', 'plate', 'rice']

Avant :     The food is disgusting. We watched the cook microwave all the food. Never go here. I didn't even eat
Après :     ['food', 'watch', 'cook', 'microwave', 'food', 'eat', 'food']

Avant :     2 stars for gumbo, 1 for the blandest, bleakest serving of red beans & rice ever! Really how hard is
Après :     ['star', 'gumbo', 'serve', 'bean_rice', 'make', 'bean', 'serve', 'season', 'waste_time', 'money']

Avant :     Unacceptable wait for food. After ordering and paying, were told they were out of bread for poboys, 
Après :     ['wait', 'food', 'order', 'pay', 'tell', 'bread', 'poboy', 'refund', 'order', 'pay']

Avant :     They say that there is no bad place to eat in N.O.  Wrong! I found it. I payed $15.95 for a shrimp p
Après :     ['say', 'place', 'eat', 'find', 'pay', 'shrimp', 'poboy', 'roll', 'shrimp', 'size']

Avant :     The line was long, the menu had a lot of options, so we stopped for some food. The line moved slowly
Après :     ['line', 'menu', 'lot', 'option', 'stop', 'food', 'line', 'move', 'wait', 'food']

Avant :     The service is not that good here :( we came from CA and wanted to try the food from New Orleans. th
Après :     ['service', 'good', 'come', 'want', 'try', 'food', 'staff', 'come', 'save_money']

Avant :     Service is extremely slow, and my shrimp po-boy was more like a tomato sandwich. Not enough shrimp f
Après :     ['service', 'shrimp_po', 'boy', 'tomato', 'sandwich', 'shrimp', 'disappoint']

Avant :     Don't eat here! Worse dining experience I had in NOLA. To begin with, they're severely understaffed.
Après :     ['eat', 'dining_experience', 'begin', 'result', 'wait', 'order', 'serve', 'food', 'lil', 'bar']

Avant :     Stopped by to try their "Food Network approved" creole seafood gumbo. Don't do it - it's extremely f
Après :     ['stop', 'try', 'food', 'network', 'approve', 'creole', 'seafood_gumbo', 'flavorless', 'try', 'rice']

Avant :     Horrible experience. Waited over 30 minutes and paid $14 for one crab po-boy that was basically brea
Après :     ['experience', 'wait_minute', 'pay', 'crab', 'po_boy', 'bread', 'excuse', 'garnish', 'recommend', 'stay']

Avant :     buyer beware-300% markup on cafe du monde 12 ct keurig coffee $23!!! no receipts given!!! at cafe du
Après :     ['buyer', 'beware', 'coffee', 'receipt', 'give', 'charge', 'monde', 'alert', 'alert', 'business']

Avant :     I wanted to love this place. The biggest sign in the middle of the counter touted a crab stuffed avo
Après :     ['want', 'love', 'place', 'sign', 'tout', 'crab', 'stuff', 'nope', 'nope', 'alligator']

Avant :     Waited over 25min for my order which was inedible  when I got it. Avoid this place at all costs.
Après :     ['wait_min', 'order', 'avoid', 'place', 'cost']

Avant :     Horrible, horrible service. Waited over 45 minutes for the food to come out, when told 20 minute wai
Après :     ['service', 'wait_minute', 'food', 'come', 'tell', 'minute', 'wait', 'confront', 'owner', 'word']

Avant :     Don't make this spot the only place to try local specialties. 
Cool souvenir shop, but the food is s
Après :     ['make', 'spot', 'place', 'try', 'specialty', 'souvenir', 'price']

Avant :     #PoopInShrimp Store manager is rude. Hope this lessens the 2 star ratings... Poop poop poop it's awf
Après :     ['store', 'manager', 'hope', 'lessen', 'rating', 'poop', 'poop', 'poop']

Avant :     The food here is OK at best. The waitress was very nice. Now I ordered a Fried Aligator PoBoy ($18.0
Après :     ['food', 'waitress', 'order', 'fry', 'aligator', 'sandwich', 'size', 'cut', 'course', 'meat']

Avant :     Waited over 25min for my order which was inedible  when I got it. Avoid this place at all costs. Pla
Après :     ['wait_min', 'order', 'avoid', 'place', 'cost', 'place', 'give', 'reputation']

Avant :     We had the world famous gumbo and were disappointed.   It was not bad but I had better gumbo a lot o
Après :     ['world', 'gumbo', 'disappoint', 'gumbo', 'lot', 'time', 'place']

Avant :     Wrong place to try authentic local food and dishes. We've tried the Gator bites (usually love them) 
Après :     ['place', 'try', 'food', 'dish', 'try', 'gator', 'bite', 'love', 'overprice', 'disgusting']

Avant :     Ordered the shrimp po'boy and creole potatoes. 25 minutes later I had the most disappointing culinar
Après :     ['order', 'boy', 'creole', 'potato', 'minute', 'disappoint', 'experience', 'town', 'shrimp', 'cook']

Avant :     Bad service and bad food. It took them 30 minutes to prepare Meatballs and Spaghetti and the taste w
Après :     ['service', 'food', 'take', 'minute', 'prepare', 'meatball', 'spaghetti', 'taste']

Avant :     DO NOT EAT HERE! There are so many other options in the area. We ordered a soft shell crab and gator
Après :     ['eat', 'option', 'area', 'order', 'crab', 'gator', 'waitress', 'ask', 'want', 'cheese']

Avant :     Wow. Waited forever for the food just to get a half full bowl of seafood gumbo for $9+. There was ba
Après :     ['wait', 'food', 'bowl', 'seafood_gumbo', 'seafood', 'see', 'sausage', 'advertise', 'lol', 'waste_money']

Avant :     Overpriced. We ordered Cajun jambalaya, side of potatoes and seafood gumbo. Sizes are so small. Paid
Après :     ['overprice', 'order', 'side', 'potato', 'seafood_gumbo', 'size', 'pay', 'item', 'taste', 'call']

Avant :     Do not eat here run far away! It's too expensive the red beans and rice is nasty,  the shrimp creole
Après :     ['eat', 'run', 'bean_rice', 'shrimp', 'creole', 'refund']

Avant :     I had the lobster poboy which sounded great but ended up being about two tablespoons of lobsters amo
Après :     ['sound', 'end', 'tablespoon', 'lobster', 'trinity', 'onion', 'celery', 'pepper', 'fan', 'trinity']

Avant :     Had supper about 5:00pm, 7/10/17, and was disappointed with what I had ordered.  Waitress was nice a
Après :     ['supper', 'disappoint', 'order', 'waitress', 'order', 'fry', 'chicken', 'dinner', 'come', 'mash_potato']

Avant :     I had a previously good experience here and then came back with my parents and received dirty silver
Après :     ['experience', 'come', 'parent', 'receive', 'silverware', 'give', 'mug', 'lipstick', 'print', 'lose_appetite']

Avant :     I stopped by one time to check it out since I drive by S. Dale Mabry a lot.  The soup of day tasted 
Après :     ['stop', 'time', 'check', 'drive', 'mabry', 'lot', 'soup', 'day', 'taste', 'process']

Avant :     Bad service, always out of things and rude when you ask them to refill it, pastries aren't great. Ev
Après :     ['service', 'thing', 'ask', 'refill', 'pastry', 'employee', 'customer', 'ignore', 'take', 'call']

Avant :     Meh food 
I was told the prime rib
What there known for
Is so wow it was tough
Not what I expected
s
Après :     ['food', 'tell', 'rib', 'know', 'expect', 'service', 'take', 'time', 'food', 'run']

Avant :     Seen better days. At one time (early 90s) it was my favorite bar; they had good beer on tap and grea
Après :     ['see', 'day', 'time', 'bar', 'beer', 'tap', 'wing', 'slacker', 'bartender', 'food']

Avant :     I'm being kind. The only good thing here is the beer- always good choices on tap and pints- not the 
Après :     ['thing', 'beer', 'choice', 'tap', 'pint', 'lame', 'glass', 'brew', 'pub', 'food']

Avant :     horrible service. went with a group and one of the people in our group wasnt allowed in because the 
Après :     ['service', 'group', 'people', 'group', 'allow', 'bouncer', 'believe', 'point', 'refuse', 'entry']

Avant :     Went there a couple years ago and thought it was pretty good, once I got a table.  I had called in a
Après :     ['year', 'think', 'table', 'call', 'day', 'reservation', 'reservation', 'wait', 'hour', 'table']

Avant :     Great food but HORRIBLE service. Also they charge if you ask for more complementary bread. I would s
Après :     ['food', 'service', 'charge', 'ask', 'bread', 'suggest', 'eat', 'make', 'check', 'bill']

Avant :     This place is disappointing for a 4.5 star rating. The burgers were so-so. The vibe felt very much l
Après :     ['place', 'star_rating', 'burger', 'vibe', 'feel', 'chain', 'restaurant', 'night', 'weekend', 'way']

Avant :     Ordered a medium well burger. Came out medium rare. Ate the edges. Waitress apologized but didn't of
Après :     ['order', 'well', 'burger', 'come', 'eat', 'edge', 'waitress', 'apologize', 'offer', 'thing']

Avant :     If you like slow service, and anyplace that can ruin a salad then this is the place for you! Can't s
Après :     ['service', 'anyplace', 'ruin', 'salad', 'place', 'say', 'luck']

Avant :     Food is really good BUT OVERPRICED!!
Ordered 4burgers w drinks...my bill w/tip
Was over $100.00?  Re
Après :     ['food', 'order', 'burger', 'drink', 'bill', 'tip', 'burger', 'drink', 'time']

Avant :     Not sure what happened. Came here over the weekend due to the rave reviews and recomendations. The s
Après :     ['happen', 'come', 'weekend', 'rave_review', 'recomendation', 'server', 'burger', 'order', 'burger', 'taste']

Avant :     Service was less than par, the Tater tot fondue was NOT good, both of the burgers my table ordered w
Après :     ['service', 'tater_tot', 'fondue', 'burger', 'table', 'order', 'eat']

Avant :     Food was good. But my daughter and I had food poisoning. We got food on Friday August 24th. And we w
Après :     ['food', 'daughter', 'food_poisoning', 'food', 'night', 'day', 'disappoint']

Avant :     Another pricey burger joint.  Themed modern ambiance but the food was well below average In quality.
Après :     ['burger', 'ambiance', 'food', 'quality', 'chicken', 'sandwich', 'time', 'chew', 'pull', 'piece']

Avant :     Food was cold and the taco was more lettuce than anything. Will not be back at this location
Après :     ['food', 'lettuce', 'location']

Avant :     This bar is an old classic in Blackwood.  They did a great job rehabbing the place over the last few
Après :     ['bar', 'blackwood', 'job', 'rehabbing', 'place', 'year', 'food', 'week', 'order', 'fry']

Avant :     The best thing on the menu is the peshawari naan.  I cannot believe all these positive reviews.  Fol
Après :     ['thing', 'menu', 'naan', 'believe', 'review', 'folk', 'familiar', 'food', 'thing', 'order']

Avant :     got to to say, it has been 4 to 5 visits now that the service just keeps getting worse. last night's
Après :     ['say', 'visit', 'service', 'keep', 'night', 'visit', 'gift_card', 'mail', 'result', 'visit']

Avant :     You can always tell when the manager is not working because the service levels decrease and the wait
Après :     ['tell', 'manager', 'working', 'service', 'level', 'decrease', 'wait', 'time', 'increase', 'wait_minute']

Avant :     I still have a terrible stomach ache from the burrito I had last night, which by the way had 5 tiny 
Après :     ['stomach', 'ache', 'night', 'way', 'piece_chicken', 'know', 'burrito', 'look', 'burrito', 'pay']

Avant :     WORST SERVICE EVER. Never even got our food; we waited over 30min for our food to arrive.  Come to f
Après :     ['service', 'food', 'wait', 'food', 'arrive', 'come', 'find', 'ask', 'money', 'lady']

Avant :     I used to LOVE tijuana flats but recently I am disappointed in quality and portion size. Its probabl
Après :     ['use_love', 'tijuana', 'flat', 'disappoint', 'quality', 'portion_size', 'regulation', 'food', 'cost', 'cook']

Avant :     The kid at the front desk refused to get a manager or supervisor after I asked. The kid named derick
Après :     ['desk', 'refuse', 'manager', 'supervisor', 'ask', 'kid', 'name', 'tell', 'supervisor', 'talk']

Avant :     Trashy and dirty hotel rooms!
Dear Embassy suite, you should be embarrassed, your marketing is the b
Après :     ['hotel', 'room', 'embassy', 'suite', 'marketing', 'fraud', 'room', 'say', 'motel', 'commercial']

Avant :     If I could give zero stars I would. Huge disappointment. 
Terrible service all around. Front desk at
Après :     ['give_star', 'disappointment', 'service', 'desk', 'attendant', 'arrival', 'rude', 'find', 'luggage', 'cart']

Avant :     AVOID AT ALL COSTS! There are many other much better hotels in the area. This hotel will cost you al
Après :     ['avoid_cost', 'hotel', 'area', 'hotel', 'cost', 'room', 'rate', 'add', 'fee', 'see']

Avant :     The location is awesome. The rooms were okay for a Hilton property. We had mold on our shower curtai
Après :     ['location', 'room', 'property', 'mold', 'shower', 'deal', 'breakfast', 'make', 'feel', 'scene']

Avant :     Great location however very little food at happy hour and rude bar tender. Plenty of other close hot
Après :     ['location', 'food', 'hour', 'rude', 'bar_tender', 'hotel', 'stay']

Avant :     Not the best check in. It took forever. For the price they charge maybe they should keep the rooms a
Après :     ['check', 'take', 'price', 'charge', 'keep', 'room', 'dollar', 'expect']

Avant :     Door locked today, sign says under new managment, Grand Reopening 09/24/12.  will have to review aga
Après :     ['door_lock', 'today', 'sign', 'say', 'reopen', 'review', 'open']

Avant :     Very ordinary looking eatery. The food ranges from okay to good, depending on what you order. They s
Après :     ['look', 'eatery', 'food', 'range', 'depend', 'order', 'speak', 'know', 'want', 'ask']

Avant :     Never tried the pastries there but I ordered the congee and satay noodles. Meh. The place is dirty a
Après :     ['try', 'pastry', 'order', 'congee', 'satay', 'noodle', 'place', 'food', 'greasy', 'return']

Avant :     This location has made me late for work twice taking 35 minutes in the drive through. Gets simple or
Après :     ['location', 'make', 'work', 'take', 'minute', 'drive', 'order', 'deserve_star']

Avant :     The only thing is South Philly parking is the pits I was riding around and around then I found one. 
Après :     ['thing', 'park', 'pit', 'ride', 'find', 'store', 'time', 'call', 'place', 'order']

Avant :     the foods great, but no buflight on tap.i love the servers there , especially Jamie White, whose the
Après :     ['food', 'love', 'server', 'server', 'lack', 'negative']

Avant :     The blandest of the fake Mexican chain restaurants. Even the queso was bland. Man I miss Arizona & r
Après :     ['chain', 'restaurant', 'queso', 'miss', 'food']

Avant :     went out with another family and since our other option was chillis which i frequent and love i deci
Après :     ['family', 'option', 'chilli', 'love', 'decide', 'try', 'place', 'servicee', 'assume', 'food']

Avant :     Food was mediocre. Service was mediocre. Fish tacos were fishy and didn't have the slaw they discuss
Après :     ['food', 'service', 'fish', 'discuss', 'menu', 'live', 'fixing', 'avocado', 'use', 'taste']

Avant :     And don't bother to complain to corporate-----you receive a standard
"thank you for your feedback" l
Après :     ['bother', 'complain', 'thank', 'feedback', 'letter', 'improve', 'location']

Avant :     Stopped here for the first time last week and was not too impressed. It was a Friday...wasn't too bu
Après :     ['stop', 'time', 'week', 'impress', 'food', 'take', 'come', 'kitchen', 'waitress', 'food']

Avant :     they charged 1.50 for each extra dollop of sour cream we asked for, then charged me 2.99 extra per t
Après :     ['charge', 'cream', 'ask', 'charge', 'ask', 'steak', 'ground_beef', 'waitress', 'tell', 'course']

Avant :     Would not recommend if u have a party of more then 5. Mt laurel will not allow u to have tables push
Après :     ['recommend', 'party', 'laurel', 'allow', 'table', 'push', 'celebrate', 'friend', 'achievement', 'come']

Avant :     Gosh this place sux now.

Burnt food

Employees having inappropriate discussions within ear shot of 
Après :     ['place', 'burn', 'food', 'employee', 'discussion', 'ear', 'shoot', 'customer', 'place', 'say']

Avant :     Currently waiting for my order to be taken in the ToGo area.Two employees are next to me and didn't 
Après :     ['wait', 'order', 'take', 'employee', 'see', 'need', 'help', 'register', 'wait_minute', 'say']

Avant :     They only take CASH...NO debit cards. Bummer! Needless to sau, had to turn right around and leave. N
Après :     ['take', 'cash', 'debit_card', 'bummer', 'sau', 'turn', 'leave', 'time', 'cash']

Avant :     Ordered carry out and had to wait 10 more minutes than expected. Then we got home to find that they 
Après :     ['order', 'wait_minute', 'expect', 'home', 'find', 'give', 'rice', 'short', 'egg', 'come']

Avant :     Absolutely the worst waste of money you could spend. Food was bad, like inedible and the simple two 
Après :     ['waste_money', 'spend', 'food', 'order', 'make', 'food', 'waste', 'minute', 'wait', 'throw']

Avant :     If I could leave negative stars then I absolutely would. I waited for a long time for my pizza in a 
Après :     ['leave', 'star', 'wait', 'time', 'pizza', 'restaurant', 'walk', 'hand', 'burn', 'pie']

Avant :     DO NOT EAT HERE. Slowww, Horrible service, staff was extremely rude and the pizza is over priced. Go
Après :     ['eat', 'service', 'staff', 'pizza', 'price', 'eat']

Avant :     No craft in your product, for shame!

Walked in around 9pm on a Wednesday night to what can only be 
Après :     ['craft', 'product', 'shame', 'walk', 'night', 'describe', 'state', 'bar', 'lack', 'think']

Avant :     Waited over 1 hour for pizza. And they called 20 numbers after us. Employees are rude! Would never r
Après :     ['wait', 'hour', 'pizza', 'call', 'number', 'employee', 'recommend', 'place', 'give_star']

Avant :     you ever had pizza that was meh? its a meh..good beer on tap though..they say nyc city style but its
Après :     ['pizza', 'meh', 'beer', 'tap', 'say', 'style', 'school', 'lunch', 'amateur', 'garbagarian']

Avant :     The worst service and management I have ever seen. Places like this should not be allowed in a nice 
Après :     ['service', 'management', 'see', 'place', 'allow', 'city', 'pay', 'pizza', 'serve', 'recommend']

Avant :     If I could give a no star I would. Normally I huge fan of the pizza but the people who work there li
Après :     ['give_star', 'fan', 'pizza', 'people_work', 'name', 'place', 'slice', 'dollar', 'think', 'service']

Avant :     Worst management that I have ever dealt with and over priced pizza. One of the managers so called fr
Après :     ['management', 'deal', 'price', 'pizza', 'manager', 'call', 'friend', 'push', 'friend', 'woman']

Avant :     Usually, when you're drunk, pizza is  good, regardless of where you go. Unfortunately, this wasn't o
Après :     ['pizza', 'place', 'say', 'energy']

Avant :     Every time I order from here I'm disappointed I guess every time Ive given it  another chance I hope
Après :     ['time', 'order', 'disappoint', 'guess', 'time', 'give_chance', 'hope', 'official']

Avant :     Always mass confusion when picking up take out. They need to hire expeditor...ordered shrimp Alfredo
Après :     ['confusion', 'pick', 'take', 'need', 'hire', 'expeditor', 'order', 'sauce', 'pool', 'center']

Avant :     Placed an order of wings and bread sticks and had it delivered. Noticed that the wings had the wrong
Après :     ['place', 'order', 'wing', 'bread', 'stick', 'deliver', 'wing', 'sauce', 'call', 'pizza_hut']

Avant :     Omg!! I walked in and the smell of dirty mop and wet rags was so strong I lost my appetite as soon a
Après :     ['walk', 'smell', 'mop', 'rag', 'lose_appetite', 'walk', 'love', 'pizza_hut', 'sadness', 'disgust']

Avant :     I ordered a chirashi here. The ambiance is great especially with the outdoor seating area but the fo
Après :     ['order', 'chirashi', 'ambiance', 'seating_area', 'food', 'price', 'restaurant', 'restaurant', 'job', 'quality']

Avant :     My partner stopped here on her way after work to pick up a carryout order. The cashier refused to ac
Après :     ['partner', 'stop', 'way', 'work', 'pick', 'carryout', 'order', 'cashier', 'refuse', 'accept']

Avant :     I ordered late at night a cheese steak w/ fried onions and it was really the blandest meat ive taste
Après :     ['order', 'night', 'cheese_steak', 'fry', 'onion', 'meat', 'taste', 'seem', 'steak', 'flavor']

Avant :     I ordered a cheese steak when this place first opened. Very greasy.  Grease soaked through the roll 
Après :     ['order', 'cheese_steak', 'place', 'open', 'grease', 'soak', 'roll', 'bag', 'fry']

Avant :     Honestly, with today being the Mummers Parade and this place being the new guy in a city of cheseste
Après :     ['today', 'mummer', 'parade', 'place', 'guy', 'city', 'chesesteak', 'corner', 'love', 'add']

Avant :     Went to 4 different steak places and this one was by far the chewiest flavorless bread and the steak
Après :     ['steak', 'place', 'chewiest', 'flavorless', 'bread', 'steak', 'share', 'whiz', 'onion', 'steak']

Avant :     Oregon Steaks?  Thought they were supposed to be good.  Not much bigger than a regular size pen.  I 
Après :     ['steak', 'think', 'suppose', 'size', 'pen', 'steak', 'center_city', 'cart', 'taste', 'call_complain']

Avant :     Tonight we decided to order some food from a different place and ordered from Oregon Steaks. HUGE MI
Après :     ['tonight', 'decide', 'order', 'food', 'place', 'order', 'steak', 'mistake', 'cheese_steak', 'meatball']

Avant :     Still not impressed. The slabs are virtually tasteless. Onions are cooked, but aren't caramelized at
Après :     ['impress', 'slab', 'onion', 'cook', 'caramelize', 'add', 'flavor', 'whiz', 'come', 'save']

Avant :     It's alright for a late night bite but for the price the cheese steaks are too d@*m small. Tastes li
Après :     ['night', 'bite', 'price', 'cheese_steak', 'taste', 'steak', 'place', 'area']

Avant :     Loved our server!  Very sweet, friendly, and attentive. Food service - ugh -  !  Food took forever t
Après :     ['love', 'server', 'food', 'service', 'food', 'take', 'come', 'talk', 'people', 'problem']

Avant :     I've been here several times and usually pretty good.
Today not so much. The food took forever and w
Après :     ['time', 'today', 'food', 'take', 'tell', 'excuse', 'come', 'order', 'miss', 'kid']

Avant :     Went to ocharleys on a Sunday afternoon, it wasn't too busy but I guess our server was overwhelmed. 
Après :     ['ocharley', 'afternoon', 'server', 'forgot', 'bread', 'butter', 'forgot', 'fry', 'time', 'sandwich']

Avant :     This place has just gone down hill. It used to be that the Rivergate Ocharley's was the worst, now I
Après :     ['place', 'use', 'rivergate', 'feel', 'play', 'field', 'eat', 'time', 'hope', 'night']

Avant :     What is wrong with this O Charley's?  Where  to begin.  The positive, our waitress Kaitlyn was outst
Après :     ['charley', 'begin', 'waitress', 'father', 'day', 'place', 'town', 'brunch', 'wait', 'signal']

Avant :     I just do not understand this O'Charleys I Hendersonville. Right now they are telling people an hour
Après :     ['understand', 'charley', 'tell', 'people', 'hour', 'wait', 'bathroom', 'walk', 'dining_room', 'count']

Avant :     Really cheap? Pretty fast delivery? Open late? Yes to all three.

Is the food good? Not really. We w
Après :     ['delivery', 'food', 'dish', 'trash', 'fry_rice', 'egg', 'drop', 'soup', 'bland', 'takeout']

Avant :     This delivery/take-out only Chinese on Girard is great on price and presentation but the food is kin
Après :     ['delivery', 'take', 'price', 'presentation', 'food', 'kind', 'meh', 'walk', 'establishment', 'make']

Avant :     First off, finding parking is a nightmare.  Second, although the name is catchy and cute... the buil
Après :     ['find', 'parking', 'nightmare', 'name', 'building', 'food', 'coffee', 'mediocre', 'stop', 'breakfast']

Avant :     I went recently to the Lakeview location and ordered the chicken quesadilla. As I was eating, I noti
Après :     ['lakeview', 'location', 'order', 'chicken_quesadilla', 'eat', 'notice', 'chicken', 'layer', 'tortilla', 'peel']

Avant :     Usually enjoy this place a lot. I asked for burger medium and it was close to burnt. Burgers are usu
Après :     ['enjoy', 'place', 'lot', 'ask', 'burn', 'burger', 'spot']

Avant :     People don't come here for Coffee... So take that out of the name... It's a Cafe

Had a BLT... Terri
Après :     ['people', 'come', 'coffee', 'take', 'name', 'cafe', 'blt', 'pay', 'money', 'rock']

Avant :     I eat at Chateau Cafe most work days and have decided the food depends on whose doing the cooking...
Après :     ['eat', 'chateau', 'cafe', 'work', 'day', 'decide', 'food', 'depend', 'cooking', 'day']

Avant :     Glasses smelled bad. Food was not very appetizing. Seemed like friendly and responsive staff but foo
Après :     ['glass', 'smell', 'food', 'appetizing', 'seem', 'staff', 'food', 'hygiene', 'need', 'improve']

Avant :     This place was slow and didn't have any deals but the $5.99 6in meal deal. Considering the time of n
Après :     ['place', 'deal', 'meal', 'deal', 'consider', 'time', 'night', 'lack', 'customer', 'think']

Avant :     Slowest service at night... Daytime people are fine. Actually saw a worker, older white lady, walkin
Après :     ['service', 'night', 'daytime', 'people', 'see', 'worker', 'walk', 'shoe', 'owner', 'see']

Avant :     This Subway is ridiculous. A friend who lives nearby and I went to eat there at about 7:45-8:00 PM a
Après :     ['friend', 'live', 'eat', 'lock_door', 'see', 'want', 'come', 'ignore', 'pathetic', 'walk']

Avant :     Don't go there. No heat, worst fries, turkey taste like it was dipped in pickle juice. Blahhhhhh
Après :     ['heat', 'fry', 'taste', 'dip', 'pickle', 'juice']

Avant :     We live in walking distance to this restaurant and had high hopes for it when we first moved in. The
Après :     ['walk_distance', 'restaurant', 'hope', 'move', 'time', 'order', 'drink', 'take', 'restaurant', 'crowd']

Avant :     We really wanted to like this place... hidden in the neighborhood, outside patio, promise of craft c
Après :     ['want', 'place', 'hide', 'neighborhood', 'patio', 'promise', 'craft', 'cocktail', 'management', 'service']

Avant :     Was here on a Tuesday night. The bartender was nice, let us linger as closing time (10pm?) approache
Après :     ['night', 'bartender', 'nice', 'let', 'closing_time', 'approach', 'wine', 'nachos', 'soak', 'cheese']

Avant :     This place is terrible. Awful service, had to wait 10 minutes to be seated then other 10 for the wai
Après :     ['place', 'service', 'wait_minute', 'seat', 'waitress', 'show', 'food', 'cube', 'shrimp_grit', 'cheesy']

Avant :     Yuck. You should not be afraid to go to a restaurant in between lunch and dinner but that's what we 
Après :     ['lunch', 'dinner', 'show', 'watch', 'drink', 'serve', 'rewarme', 'greasy', 'wing', 'cheese']

Avant :     Staying in Tampa for one night. Tried this based on other reviews. Pretty rough/old place. Food & se
Après :     ['stay', 'tampa', 'night', 'try', 'base_review', 'place', 'food', 'service', 'condition']

Avant :     This restaurant was probably the worst dining experience I ever had in Tampa!   Bad food, bad servic
Après :     ['restaurant', 'dining_experience', 'tampa', 'food', 'service', 'price']

Avant :     Will not return. Have given this location numerous second chances for improved customer service, but
Après :     ['return', 'give', 'location', 'chance', 'improve', 'customer_service', 'observe', 'change', 'drive', 'service']

Avant :     Yikes, I just got that hard nasty piece of chicken that usually ruins Chinese restaurants for you. B
Après :     ['yike', 'piece_chicken', 'ruin', 'restaurant', 'steak_shake', 'door', 'know', 'line', 'wendy', 'food']

Avant :     Horrible food.  Horrible service.  How do u mess up Wendy's number 1 meal?  Drink had soap in it.  B
Après :     ['food', 'service', 'mess', 'wendy', 'number', 'meal', 'drink', 'soap', 'burger', 'fire']

Avant :     It took 45+ minutes to get through the drive thru and get my food.  ONE person was working - only.  
Après :     ['take', 'minute', 'drive', 'food', 'person', 'work', 'tell', 'rush', 'hour', 'people_work']

Avant :     I got a burger from here once and it had a green mold spot on it after eating the sandwich not the m
Après :     ['mold', 'spot', 'eat', 'sandwich', 'mold', 'call', 'manager', 'tell', 'happen', 'say']

Avant :     I'm in no way a pho pro, but I liked Saigon Deli better than this one, but those who are looking for
Après :     ['way', 'pho', 'like', 'saigon', 'deli', 'look', 'pho', 'place', 'evening', 'believe']

Avant :     So the atmosphere isn't that great. Kind of like a cafeteria that plays TMZ. I'm a vegetarian so the
Après :     ['atmosphere', 'kind', 'cafeteria', 'play', 'vegetarian', 'course', 'beef', 'offering', 'lemongrass', 'tofu']

Avant :     Terrible service!! Automatically charge you 18% tips even though we only have 3 people?? Staffs are 
Après :     ['service', 'charge', 'tip', 'people', 'staff', 'confront', 'mind', 'tip', 'service', 'apply']

Avant :     Okay food. The guy and girl are really rude, act nice to your face... Then go laugh and talk crap ab
Après :     ['food', 'guy', 'girl', 'face', 'laugh', 'talk', 'crap', 'thinking', 'understand']

Avant :     The food is good, service is ok but the owner is NOT a human being. I saw a homeless guy and wanted 
Après :     ['food', 'service', 'ok', 'owner', 'human', 'see', 'guy', 'want', 'buy', 'food']

Avant :     I was really excited to come here but was sorely disappointed. I ordered the grilled pork and rice. 
Après :     ['come', 'disappoint', 'order', 'grill', 'pork', 'rice', 'season', 'pork', 'meat', 'chewy']

Avant :     The regular pizza wasn't hot-n-ready we would've needed to wait 15-20min for 1 pizza that's crazy fo
Après :     ['pizza', 'ready', 'need', 'wait', 'place', 'offer', 'pizza']

Avant :     Music was amazing, sound was outstanding. The food not so much. Go to listen to the music but find a
Après :     ['music', 'sound', 'food', 'listen', 'music', 'find', 'place', 'eat', 'drink', 'service']

Avant :     Poor selection of slot machines.

Tried the buffet and had bad service. Never had anyone check up on
Après :     ['selection', 'slot', 'machine', 'try', 'buffet', 'service', 'check', 'cup', 'sit', 'table']

Avant :     Casinos are just lame.

Ate at the "International Buffet", which was pretty standard.  ALthough...th
Après :     ['eat', 'buffet', 'rib', 'bonus', 'time', 'come', 'see', 'concert', 'ava', 'amphitheater']

Avant :     Absolutely NOT A FOUR STAR HOTEL. I've stayed in many and this is service you get at a motel. 0 star
Après :     ['hotel', 'stay', 'service', 'service', 'elevator', 'break', 'wait_minute', 'line', 'check', 'people_work']

Avant :     So far we've had no one nice. The nicest ppl were in Mobys restaurant. This really saddens me
Après :     ['restaurant', 'sadden']

Avant :     The only good thing about Casino Del Sol is Ume. Rooms are ok , but could be cleaner. Definitely not
Après :     ['thing', 'room', 'cleaner', 'price', 'award', 'win', 'steak', 'house', 'price', 'slot']

Avant :     First date.
Horrible suggestion by the person I went out with. Smoky, weird draft, gross people. Ugh
Après :     ['date', 'suggestion', 'person', 'draft', 'people', 'ugh']

Avant :     The food in the Buffett is a mix between good and bad. Most of which I wouldn't put on my plate. The
Après :     ['mix', 'put', 'plate', 'station', 'mix', 'food', 'appetize', 'understand', 'time', 'pm']

Avant :     This review pertains to the buffet.

Thank goodness it was comped, as we are new club members.   Wou
Après :     ['review', 'pertain', 'thank', 'compe', 'club', 'member', 'upset', 'pay', 'meal', 'food']

Avant :     I didn't have a pleasant experience at all! First I check and she tells me my card is declined so I 
Après :     ['experience', 'check', 'tell', 'card', 'decline', 'proceed', 'figure', 'call', 'bank', 'room']

Avant :     If I could give it a zero, I would. I order a plain hamburger, and realized they put  bacon in it (w
Après :     ['give', 'order', 'hamburger', 'realize', 'put', 'bacon', 'eat', 'bite', 'drive', 'window']

Avant :     I ordered the chicken strips and a couple hours later had the worst pain I've ever felt in my stomac
Après :     ['order', 'chicken_strip', 'couple', 'hour', 'pain', 'feel', 'stomach', 'sleep', 'pain', 'close']

Avant :     I eat a lot of fast food and this is not a top choice. The automated order machine was broken and it
Après :     ['eat', 'lot', 'food', 'choice', 'automate', 'order', 'machine_break', 'accept', 'cash', 'payment']

Avant :     Terrible. Wish I could give it zero stars. Ignorant worker wouldn't let me make multiple orders at t
Après :     ['wish', 'give_star', 'worker', 'let', 'make', 'order', 'drive', 'waste_time']

Avant :     Rude service. Arrived with friend both of us had coupons ...woman behind counter said only one of us
Après :     ['arrive', 'friend', 'coupon', 'woman', 'say', 'use', 'walk', 'count', 'guest', 'try']

Avant :     Worst Jack in the box ever! I had ordered a Jack's Spicy Chicken sandwich with cheese and an order o
Après :     ['box', 'order', 'sandwich', 'cheese', 'order', 'taco', 'give', 'food', 'ask', 'guy']

Avant :     the people who work here are incompetent beyond belief. they constantly get orders wrong and never i
Après :     ['people_work', 'belief', 'order', 'way', 'give', 'burger', 'fry', 'order', 'straw', 'day']

Avant :     I think this place is going out of business, they didn't have any soda, ranch, or curly fries when I
Après :     ['think', 'place', 'business', 'soda', 'ranch', 'curly', 'fry', 'guess', 'sale']

Avant :     The absolute WORST jack in the box I have ever been to. The person working there was rude and it too
Après :     ['box', 'person', 'work', 'take', 'minute', 'milkshake', 'drive']

Avant :     Probably the worst Chinese buffet I've been to in the Indy area. Food was discolored and bland tasti
Après :     ['area', 'food', 'discolor', 'bland', 'tasting', 'prepackage', 'fortune_cookie', 'color']

Avant :     Our family has been going for years and after the disappointment today we won't be back. There was n
Après :     ['family', 'year', 'today', 'buffet', 'cold']

Avant :     Horrible dining experience. Waitress was terribly slow. Messed up drink order. Had no artichoke and 
Après :     ['dining_experience', 'waitress', 'mess', 'drink', 'order', 'artichoke', 'spinach', 'dip', 'reason', 'week']

Avant :     Deff not the best steak . At all . Blue rare not what I ordered . Gross  sent back and nothing chang
Après :     ['deff', 'steak', 'order', 'send', 'change']

Avant :     Well I promised someone I would try this place and finally I got around to trying it.  As has been s
Après :     ['promise', 'try', 'place', 'try', 'say', 'burger', 'drag', 'try', 'coconut', 'prawn']

Avant :     There was a rodent running across the floor as we ate..  I am sure other places have this However se
Après :     ['run', 'floor', 'eat', 'place', 'see', 'make', 'ihop']

Avant :     This particular IHOP has a foul smell that smacks you in the face as soon as you enter the door. Its
Après :     ['ihop', 'smell', 'smack', 'face', 'enter', 'door', 'sewage', 'odor', 'location', 'time']

Avant :     Four of us had lunch at the Des Peres location. Loved the patio area, although too cold yet. Excelle
Après :     ['lunch', 'location', 'love', 'patio', 'area', 'service', 'food', 'need', 'work', 'fry']

Avant :     I came here while on a business trip based on their Yelp reviews. Ordered the beer cheese burger and
Après :     ['come', 'business', 'trip', 'base_yelp', 'review', 'order', 'beer', 'cheese', 'burger', 'staff']

Avant :     I gotta say I was rather disappointed by our recent experience here. My sister was really looking fo
Après :     ['say', 'disappoint', 'experience', 'sister', 'look', 'try', 'sandwich', 'tongue', 'order', 'tripe']

Avant :     Was on 9th st yesterday and got hungry so I stopped at Georges. The Pork with broccoli rabe and prov
Après :     ['yesterday', 'stop', 'george', 'pork', 'broccoli', 'rabe', 'provolone', 'pork', 'fat', 'way']

Avant :     The first time I tried this place I was in love.  I had sesame chicken and it was almost the best I'
Après :     ['time', 'try', 'place', 'love', 'sesame', 'chicken', 'come', 'think', 'food', 'food']

Avant :     I can tell you that it would have, at least, been a 3 star rating had we been asked what kind of tea
Après :     ['tell', 'star_rating', 'ask', 'tea', 'want', 'rice', 'want', 'order', 'smile', 'server']

Avant :     A Chinese restaurant is so blatantly claiming that they exist to serve non-Chinese (Lao Wai) and adv
Après :     ['restaurant', 'claim', 'exist', 'serve', 'advise', 'customer', 'problem', 'americanize', 'food', 'serve']

Avant :     The food was a mixed bag, some dishes were good, while others were either too salty or too bland.  H
Après :     ['food', 'mix', 'bag', 'dish', 'bland', 'problem', 'restaurant', 'dining_experience', 'decor', 'date']

Avant :     Declining quality has me concerned. Last night I had some sort of metal mesh in the food. Accidents 
Après :     ['decline', 'quality', 'concern', 'night', 'metal', 'mesh', 'food', 'accident', 'happen', 'metal']

Avant :     We order lemon chicken, tofu with broccoli, beef chow mein, chicken fried rice, warr wonton soup, eg
Après :     ['order', 'tofu', 'beef', 'fry_rice', 'roll', 'sauce', 'food', 'come', 'portion', 'order']

Avant :     Sheesh stay far far far away. The prices are ridiculous for completely mediocre food. Wings were gum
Après :     ['sheesh', 'stay', 'price', 'food', 'wing', 'fry', 'chain', 'favor', 'street', 'perky']

Avant :     First of all I would like to say that the waitresses and bartenders are top notch workers. However, 
Après :     ['say', 'waitress', 'bartender', 'notch', 'worker', 'manager', 'wear', 'glass', 'power', 'trip']

Avant :     Been there three times... Third time still not a charm.  First time server took 15 minutes to greet 
Après :     ['time', 'time', 'charm', 'time', 'server', 'take', 'minute', 'greet', 'table', 'people']

Avant :     Had the worst meal ever at PJ's in Oaks.
Ordered a burger. What a disappointment.  I've had better b
Après :     ['meal', 'oak', 'order', 'disappointment', 'burger', 'food', 'restaurant', 'cook', 'look', 'club']

Avant :     People are very nice but the food is not good. I had the eggs benedict and it came out undercooked. 
Après :     ['people', 'food', 'egg_benedict', 'come', 'portion', 'price', 'egg', 'piece', 'potato', 'friend']

Avant :     This is the WORST!  OVER PRICED!  3 Little scallops (COLD!!! and cut in half!!!---they were about 1/
Après :     ['price', 'scallop', 'cut', 'inch', 'app', 'price', 'bartender', 'nice', 'take', 'cry']

Avant :     Rating 2.75

Came here on a Sat around 1 pm - just missed the brunch crowds. There were only 3 other
Après :     ['rating', 'come', 'sit', 'miss', 'brunch', 'crowd', 'table', 'people', 'eat', 'restaurant']

Avant :     Great atmosphere.  Mac and cheese app was rather tasty.  but I came for the Slate Burger.  Sadly, it
Après :     ['atmosphere', 'cheese', 'app', 'come', 'slate', 'burger', 'measure', 'time', 'summer', 'recall']

Avant :     Empty on Sunday nite but still mediocre service. Food was also only so-so. Crab cakes had unpleasant
Après :     ['service', 'food', 'crab_cake', 'texture', 'taste', 'meat', 'waiter', 'claim']

Avant :     Came here for new years. One of the people at our table got their entre at least a half hour after t
Après :     ['come', 'year', 'people', 'table', 'entre', 'half', 'hour', 'rest', 'table', 'receive']

Avant :     Went 10/23 @ 5:30pm. Had the new Pepper Jack Burger with onion rings for .99 cents extra. Burger was
Après :     ['ring', 'cent', 'burger', 'menu', 'price', 'onion_ring', 'plate', 'money', 'onion_ring', 'addition']

Avant :     Waited almost 10 minutes to be asked for drinks. Restaurant wasn't really even that busy. Put an ord
Après :     ['wait_minute', 'ask', 'drink', 'restaurant', 'put', 'order', 'burger', 'fail', 'ask', 'want']

Avant :     Came here for our daughters school fundraiser. We have need eaten here in years and we won't be back
Après :     ['come', 'daughter', 'school', 'fundraiser', 'need', 'eat', 'year', 'couple', 'year', 'walk']

Avant :     The past few times I have been to the Pottstown location the food was below average and the service 
Après :     ['time', 'location', 'food', 'service', 'use', 'friendly', 'day', 'year', 'evolve', 'time']

Avant :     The bad: I've been here 4 times but only ate here once because the place is NEVER open at 11am like 
Après :     ['time', 'eat', 'place', 'advertise', 'lose', 'star', 'say', 'change', 'hour', 'time']

Avant :     Food: Terrible. We ordered the sashimi combo and the pieces were smaller than the size of a pinky. E
Après :     ['food', 'order', 'piece', 'size', 'pinky', 'overprice', 'fall', 'know', 'soup', 'serve']

Avant :     This restaurant is awful and the prices to match it are dreadful. Don't be fooled, because the resta
Après :     ['restaurant', 'price', 'match', 'fool', 'restaurant', 'look', 'place']

Avant :     If you are looking for average, over-priced sushi then this is your place. 
Nothing about this place
Après :     ['look', 'price', 'place', 'place', 'order', 'spring_roll', 'rainbow', 'roll', 'spider_roll', 'starter']

Avant :     I've been here about half a dozen times since they open and unfortunately the quality has gotten pro
Après :     ['dozen', 'time', 'quality', 'visit', 'day', 'see', 'serve', 'quality', 'match', 'cost']

Avant :     Bad and overpriced food. The first ever Japanese Restaurent ive been to that actually charges 2.5 do
Après :     ['overprice', 'food', 'restaurent', 'charge', 'dollar', 'tea', 'disgusting']

Avant :     High traffic mall location = high rent = high prices = low value = mediocre food quality.

Need I sa
Après :     ['traffic', 'location', 'rent', 'price', 'value', 'food', 'quality', 'need', 'say']

Avant :     Never going back. Food was mediocre. Good chips and salsa. Service was poor, not enough people worki
Après :     ['food', 'chip', 'service', 'people_work', 'amount', 'table', 'seat', 'tell', 'margarita', 'drink']

Avant :     Cute waitresses-yes.  Charro beans good.  Carne asada taco's- not so good - too fatty and just not t
Après :     ['waitress', 'bean', 'asada', 'fatty', 'tasting', 'chain']

Avant :     Your "manager" needs to be coached! She was very nasty and when i walked in the door, she was very r
Après :     ['manager', 'need', 'coach', 'walk_door', 'rude', 'gave', 'look', 'look', 'boyfriend', 'notice']

Avant :     Food great!!! .....service is TERRIBLE!!! Business was slow, 5 girls standing around.... I had to fl
Après :     ['food', 'service', 'business', 'girl', 'stand', 'flag', 'star', 'cleanliness', 'food']

Avant :     Horrible fish tacos, looked like fish sticks from the microwave..i would never eat there again.
Après :     ['fish_taco', 'look', 'fish', 'stick', 'microwave', 'eat']

Avant :     Wasn't that impressed this time.  For the Sonoran Dog, the bun wasn't that great.  Nothing seemed fr
Après :     ['time', 'bun', 'seem', 'day', 'carne', 'taco']

Avant :     Yes, the Sonoran dog is good. 

The fries were soggy, the fondue was rather tasteless even with the 
Après :     ['fry_soggy', 'fondue', 'tasteless', 'chorizo', 'come', 'course', 'think', 'bland', 'location', 'waiter']

Avant :     I'll start by saying that I'm not a coffee buff, but I certainly enjoy a nice cup of coffee. I have 
Après :     ['start', 'say', 'coffee', 'enjoy', 'cup_coffee', 'say', 'grab', 'neighborhood', 'grab', 'way']

Avant :     This place treats me like I'm homeless.  I came into the cafe to meet my mom for breakfast. She met 
Après :     ['place', 'treat', 'homeless', 'come', 'meet', 'breakfast', 'meet', 'table', 'exchange', 'mail']

Avant :     As you know, I'm a boudin snob ad I did not think these balls were any good. They had barely any bat
Après :     ['know', 'think', 'ball', 'batter', 'ball', 'inch', 'batter', 'taste', 'ball', 'taste']

Avant :     Went today and ordered the $12 meat sandwich. I really which the cook try their food before they ser
Après :     ['today', 'order', 'meat', 'sandwich', 'cook', 'try', 'food', 'serve', 'meat', 'bread']

Avant :     One star isn't even low enough for how I am feeling right now. Wings over broadway use to be my favo
Après :     ['star', 'feel', 'wing', 'use', 'wing', 'stop', 'tucson', 'order', 'wing', 'find']

Avant :     While they do have the hottest wings I've ever tried (i like everything hott hott hott), there's jus
Après :     ['wing', 'try', 'hott', 'hott', 'hott', 'grease', 'stomach', 'handle', 'stomach', 'make']

Avant :     This gets two stars instead of one due to the sauce is good. The chicken was over cooked, and the fr
Après :     ['star', 'sauce', 'chicken', 'cook', 'fry', 'overcook', 'need', 'change', 'grease', 'understand']

Avant :     So, the wings were ok. I was happily eating when I found a cockroach in my food. The manager just ca
Après :     ['wing', 'eat', 'find', 'food', 'manager', 'come', 'say', 'ingredient', 'grow', 'chicken']

Avant :     We were really excited that this place has moved closer to us because I've had a couple of people te
Après :     ['excite', 'place', 'move', 'couple', 'people', 'tell', 'deal', 'people', 'wing', 'throw']

Avant :     This was the worst experience I have ever had. The wings were nothing special, the service is horrib
Après :     ['experience', 'wing', 'service', 'lack', 'air_conditioning', 'restaurant', 'dirty', 'recommend', 'place']

Avant :     Wings here are delicious! The service may be a bit slow, but I say it is worth the wait. Just be pre
Après :     ['wing', 'service', 'bit', 'say', 'wait', 'mind', 'fly', 'bother', 'eat', 'neon']

Avant :     I do not know what it was maybe it was shift change but the service today was awful we are ask them 
Après :     ['know', 'change', 'service', 'today', 'ask', 'take', 'order', 'drop', 'food', 'see']

Avant :     Worst customer service ever.  We were sitting on a table that was shaking and we're refused to sit d
Après :     ['customer_service', 'sit', 'table', 'shake', 'refuse', 'sit', 'booth', 'reason', 'ac', 'blow']

Avant :     Divey place... Wings are good though. Bad experience with eating a carrot stick that had cleaning fl
Après :     ['divey', 'place', 'wing', 'experience', 'eat', 'carrot', 'stick', 'cleaning', 'yuk']

Avant :     After hearing people swear up and down about this place me and a friend were stoked to head over for
Après :     ['hear', 'people', 'swear', 'place', 'friend', 'stoke', 'head', 'wing', 'app', 'stomach']

Avant :     Food good, service bad.  You won't have a waitress, but will have to just flag down someone you see.
Après :     ['food', 'service', 'flag', 'see', 'service']

Avant :     I had a terrible experience with a to go order. The fries were really really burned. The worst was t
Après :     ['experience', 'order', 'fry', 'burn', 'find', 'piece', 'hair', 'wing', 'experience', 'disappoint']

Avant :     The food was pretty good with exception to the ham; pictured was a ham steak and I got cooked lunch 
Après :     ['food', 'exception', 'picture', 'steak', 'cook', 'lunch', 'meat', 'start', 'finish', 'hour']

Avant :     Mediocre at best. Service was very slow. It took 5 min. just to get a menu. Place was not very clean
Après :     ['service_slow', 'take_min', 'menu', 'place', 'breakfast', 'sandwich', 'breakfast', 'burrito', 'biscuit_gravy', 'average']

Avant :     I went on a Sunday around noon and there was a line to get a table. Apparently, that's how the crowd
Après :     ['noon', 'line', 'table', 'crowd', 'time', 'hear_thing', 'biscuit', 'end', 'order', 'breakfast']

Avant :     This has to be the WORST managed restaurant in the state of Missouri! I have been here 3 times in th
Après :     ['manage', 'restaurant', 'state', 'month', 'time', 'time', 'spend', 'minute', 'wait', 'order']

Avant :     I stopped in to get a fish sandwich and ended up with a cut mouth. They let the bag clip from the bu
Après :     ['stop', 'fish', 'sandwich', 'end', 'mouth', 'let', 'bag', 'clip', 'bun', 'fall']

Avant :     I am happy to say, Cassy the owner and executive chef at HWK has contacted me and was in shock that 
Après :     ['say', 'owner', 'hwk', 'contact', 'shock', 'experience', 'assure', 'policy', 'use', 'situation']

Avant :     Cute place with an intimate atmosphere and good service, but overpriced for what we got. 

Stopped i
Après :     ['place', 'atmosphere', 'service', 'overprice', 'stop', 'browse', 'art', 'taproom', 'vegetable', 'salad']

Avant :     What a disappointment. I did not have a single dish I enjoyed. I felt like a threw $100 down the dra
Après :     ['disappointment', 'dish', 'enjoy', 'feel', 'throw', 'drain', 'bring', 'touch', 'apple', 'mess']

Avant :     A lot of variability between dishes. My friends were thrilled with their really delicious pork shoul
Après :     ['lot', 'variability', 'dish', 'friend', 'thrill', 'pork', 'shoulder', 'sandwich', 'quantity', 'quality']

Avant :     I really like Korean BBQ. When I heard this place was opening, I was very excited to try this place.
Après :     ['hear', 'place', 'open', 'try', 'place', 'try', 'reason', 'spot', 'bbq', 'place']

Avant :     I wanted to like this place more. It was my first visit. My friend's Caesar salad looked great -  fu
Après :     ['want', 'place', 'visit', 'friend', 'salad', 'look', 'plate', 'smash', 'meatball', 'sandwich']

Avant :     disappointed that they wouldn't fill my dogfish head growlers and the beer itself wasn't memorable.
Après :     ['fill', 'head', 'growler', 'beer', 'memorable']

Avant :     Have been about 6 times and felt a decline in the service and food each time. The beer will always b
Après :     ['time', 'feel', 'decline', 'service', 'food', 'time', 'beer', 'quirky', 'food', 'price']

Avant :     Okay, yes, I know it's a brewery, but the smell of hops was so strong and overwhelming the night we 
Après :     ['know', 'brewery', 'smell', 'hop', 'night', 'eat', 'enjoy', 'meal', 'husband', 'spend']

Avant :     The beer is mediocre. Every time I have come here the staff has been rude and inconsiderate. I wish 
Après :     ['beer', 'mediocre', 'time', 'come', 'staff', 'inconsiderate', 'wish', 'staff', 'bit', 'way']

Avant :     There was so much hype around this place, but it was really just "okay." Not ground breaking, but th
Après :     ['hype', 'place', 'ground', 'break', 'food', 'atmosphere']

Avant :     Waiter kind of had a blunt/rude tone, and my girlfriend and I could see him talking about and lookin
Après :     ['rude', 'tone', 'girlfriend', 'see', 'talk', 'look', 'know', 'stop', 'make', 'eye_contact']

Avant :     The food and beer were all good. I would have given them 5 stars, but the bill came and my experienc
Après :     ['food', 'beer', 'good', 'give_star', 'bill', 'come', 'experience', 'ruin', 'spill', 'cutting']

Avant :     We were told a 45 minute wait, after 40 minutes we asked for the status and were told we had an addi
Après :     ['tell', 'minute', 'wait_minute', 'ask', 'status', 'tell', 'minute', 'wait', 'girl', 'desk']

Avant :     perhaps good beer and atmosphere, but horrible food, never going back.
food was extremely salty, ver
Après :     ['beer', 'atmosphere', 'food', 'food', 'taco', 'food', 'fish_taco', 'flavor', 'amount', 'salt']

Avant :     Beer was great, food was okay, service was abysmal. Every staff member besides the hostess was so ru
Après :     ['beer', 'food', 'service', 'staff_member', 'rude', 'understand']

Avant :     Was excited to check this place out with a friend I haven't seen in a while. First impression is tha
Après :     ['check', 'place', 'friend', 'see', 'impression', 'server', 'beer', 'order', 'say', 'ok']

Avant :     I want to preface this by saying that I only had beer. The minimalist decoration was cool, but it fe
Après :     ['want', 'preface', 'say', 'beer', 'minimalist', 'decoration', 'feel', 'bartender', 'hipster', 'seem']

Avant :     Awful got a taco salad had refried beans in it topped with tasteless ground beef sour cream guacomol
Après :     ['salad', 'refrie_bean', 'top', 'ground_beef', 'cream', 'shred_cheese', 'shred', 'lettuce', 'time', 'quarter']

Avant :     This place was horrible.. We will never eat here again.

Salsa had a white pubic hair and when we to
Après :     ['place', 'eat', 'salsa', 'hair', 'tell', 'server', 'deny', 'hair', 'onion', 'add']

Avant :     The live music was good but was expecting more Latin/Mexican music. There was a mixture of r&b, oldi
Après :     ['music', 'expect', 'music', 'mixture', 'oldie', 'pop', 'salsa', 'taste', 'jar', 'chip']

Avant :     Fui con mi familia a comer a este rest. Q nos habian recomendado pero el mesero nos trató de la pata
Après :     ['familia', 'comer', 'este', 'rest']

Avant :     Long Wait.  Expensive Food.  Walked out when I saw them preparing food without gloves.  We may give 
Après :     ['wait', 'food', 'walk', 'see', 'prepare', 'food', 'glove', 'give', 'try', 'couple_month']

Avant :     It was one of the worst acai bowls I have ever had. I was in town for business. There was no flavor,
Après :     ['acai_bowl', 'town', 'business', 'flavor', 'fruit', 'topping', 'strawberry', 'pineapple', 'disappoint']

Avant :     Friendly service.  Ice cream was very good, but overpriced or way too skimpy in terms of portion siz
Après :     ['service', 'ice_cream', 'way', 'term', 'portion_size', 'return', 'recommend', 'price', 'portion_size', 'enjoy']

Avant :     Food was good. Service wasn't great. Bad ventilation: I smell like I spent my lunch in a diner.
Après :     ['food', 'service', 'ventilation', 'smell', 'spend', 'lunch', 'diner']

Avant :     Loud. Food was underwhelming. My banana split was not a banana split, and was mostly just chocolate 
Après :     ['food', 'underwhelme', 'banana', 'split', 'banana', 'split', 'chocolate', 'ice_cream']

Avant :     Ordered a salad from here that was made with "mixed greens".  Unfortunately it was mostly comprised 
Après :     ['order', 'salad', 'make', 'green', 'comprise', 'iceberg_lettuce', 'leave', 'green', 'sprinkle', 'hear']

Avant :     Their food lately has tasted freezer burnt or something. Their ravioli and Moroccan pot pie particul
Après :     ['food', 'taste', 'freezer_burn', 'pot_pie', 'way', 'price', 'food', 'expectation', 'disappoint']

Avant :     Went by this evening around 6:30. Ordered two roasted pork. Instead of pulling out fresh pork she us
Après :     ['evening', 'order', 'pork', 'pull_pork', 'use', 'slot', 'spoon', 'spoon', 'leave', 'sit']

Avant :     I really wanted to like this place, especially since it's in my office building.  On one visit I ord
Après :     ['want', 'place', 'office', 'build', 'visit', 'order', 'grill', 'mushroom', 'cob', 'type']

Avant :     Restaurant was busy this morning for New Years Day, but the service was unacceptable. We waited 10 m
Après :     ['restaurant', 'morning', 'year', 'day', 'service', 'wait_min', 'seat', 'flag', 'water', 'min']

Avant :     I got Newks Q which sounded good. They said they had their signature barbecue sauce with shredded ch
Après :     ['newk', 'sound', 'say', 'signature', 'barbecue_sauce', 'shred', 'flavor', 'slice', 'chicken', 'bun']

Avant :     Over priced for the quality. For this reason I didn't tip. AKIRA is way better, the price is a littl
Après :     ['price', 'quality', 'reason', 'tip', 'price', 'buck', 'waiter', 'come', 'car', 'ask']

Avant :     If you're contemplating on going over there because the wait at breakfast & Burger is too long think
Après :     ['contemplate', 'wait', 'breakfast', 'think', 'wait', 'turn', 'table', 'breakfast', 'burger', 'say']

Avant :     My husband and I live in the area and we decided to try the Affton Diner.  It took a while to get se
Après :     ['husband', 'area', 'decide', 'try', 'take', 'order', 'breakfast', 'pancake', 'egg', 'sausage']

Avant :     Breakfast was vile, everything tasted like grease!
Après :     ['breakfast', 'vile', 'taste', 'grease']

Avant :     The beignets were so bad that we didn't even eat them. They tasted like fried shrimp and were tough 
Après :     ['beignet', 'eat', 'taste', 'fry', 'shrimp', 'praline', 'computer', 'register', 'drink', 'bar']

Avant :     Breakfast is terrible. No taste. The Krystal's fast food breakfast was 100% better than this. Beigne
Après :     ['breakfast', 'taste', 'food', 'breakfast', 'beignet', 'music']

Avant :     My first beignet experience wasn't bad. Too much powdered sugar overwhelmed the wonderful beignet. W
Après :     ['beignet', 'experience', 'sugar', 'overwhelm', 'beignet', 'order', 'breakfast', 'story', 'egg', 'tell']

Avant :     Wow this place is bad. My first impression is that this would be a pleasant spot in an otherwise, wh
Après :     ['place', 'impression', 'spot', 'opinion', 'street', 'quarter', 'music', 'sound', 'entertainment', 'nursing']

Avant :     Horrible experience dirty, flies in pasrty cases and then when they bring my food a live bug in my f
Après :     ['experience', 'fly', 'pasrty', 'case', 'bring', 'food', 'bug', 'food', 'mean', 'prep']

Avant :     Average at best. 
Reminded me if cafeteria food from a hospital or school. 

Better places to go in 
Après :     ['remind', 'cafeteria', 'food', 'hospital', 'school', 'place', 'quarter']

Avant :     This is some of the worst food I have ever eaten. I could not finish my plate.  This is an overprice
Après :     ['food', 'eat', 'finish', 'plate', 'tourist_trap', 'capitalize', 'bourbon', 'street', 'business', 'mess']

Avant :     The only good thing about this place is the live music, music was great the food is lame poor excuse
Après :     ['thing', 'place', 'music', 'music', 'food', 'lame', 'excuse', 'boy', 'order', 'combo']

Avant :     Coffe and Beignets were good but the veggie omelet I ordered was greasy, flavorless and just disappo
Après :     ['beignet', 'veggie', 'omelet', 'order', 'flavorless', 'order', 'beignet', 'music', 'wait', 'cafe']

Avant :     Sloooooowwwwwwwww!  Coffee was cold by the time order came.  Check-in if you want to be cool; check 
Après :     ['coffee', 'time', 'order', 'come', 'check', 'want', 'check']

Avant :     Was expecting much better from the reviews. We had better beignets at other NOLA spots, the omelette
Après :     ['expect', 'review', 'beignet', 'spot', 'omelette', 'grit', 'mary']

Avant :     We were tired and tipsy and needed carbs. Cafe Beignet looked inviting at night so we thought it was
Après :     ['need', 'look', 'invite', 'night', 'think', 'choice', 'food', 'place', 'sell', 'fry']

Avant :     Price - Average

Service - Fast and efficient.

Wait Time - About 20 minutes no matter what time of 
Après :     ['price', 'service', 'wait', 'time', 'minute', 'chair', 'table', 'seating', 'place', 'expect']

Avant :     I stopped in quickly during a scavenger hunt and only ordered one drink - a $5 mojito that was adver
Après :     ['stop', 'order', 'drink', 'mojito', 'advertise', 'drink', 'deal', 'see', 'drink', 'time']

Avant :     I watch the food preparer cough up a lung over the pizza he was making and never covered his mouth. 
Après :     ['watch', 'food', 'preparer', 'cough', 'lung', 'pizza', 'make', 'cover', 'mouth', 'mortify']

Avant :     I ordered from them tonight. They usually have good pizza. Tonight I had delivery and it took over a
Après :     ['order', 'tonight', 'pizza', 'tonight', 'delivery', 'take', 'hour', 'deliver', 'pizza', 'order']

Avant :     Had a falafel wrap here a few years ago. Not bad, so tried it again today. No flavor, except extreme
Après :     ['falafel', 'wrap', 'year', 'try', 'today', 'flavor', 'saltiness', 'falafel', 'flavor', 'hope']

Avant :     WHAT HAPPENED?!  We've been visiting the owner's other place, EPICE, more than Kalamatas.  Today the
Après :     ['happen', 'visit', 'owner', 'place', 'epice', 'kalamata', 'today', 'food', 'remodeling', 'job']

Avant :     Improvement is slow.  Food is same but at least they have a few friendlier people.  I wish they offe
Après :     ['improvement', 'food', 'people', 'wish', 'offer', 'special']

Avant :     Eh. That's how I felt about the food. Not delicious, but not terrible. The portions are huge, so you
Après :     ['feel', 'food', 'portion', 'pay', 'rice', 'salad', 'chicken', 'potato', 'share', 'season']

Avant :     I got the falafel sandwich to go. 

Firstly falafel tastes great only if made fresh. The gentleman m
Après :     ['sandwich', 'falafel', 'taste', 'make', 'gentleman', 'make', 'falafel', 'take', 'freezer', 'toss']

Avant :     If I could give zero stars I would. They were so rude. My order was wrong and instead of being nice 
Après :     ['give_star', 'order', 'bring', 'food', 'throw', 'order', 'hear', 'food']

Avant :     I was so thrilled to be able to get a great gyros sandwich when Kalamatas opened some years back. Bu
Après :     ['thrill', 'sandwich', 'kalamata', 'open', 'year', 'time', 'know', 'happen', 'lamb', 'heat']

Avant :     Our food was served on paper plates, the utensils are plastic forks and knives. 

The hummus wasn't 
Après :     ['food', 'serve', 'paper', 'plate', 'utensil', 'plastic', 'fork', 'knife', 'hummus', 'store_buy']

Avant :     While my boyfriend was getting a cheesesteak at Sonny's next door, I browsed the restaurant's menu t
Après :     ['boyfriend', 'cheesesteak', 'door', 'browse', 'restaurant', 'menu', 'see', 'look', 'think', 'thing']

Avant :     This place sucks. And when I say sucks I mean BIG DONKEY BALLS sucks! I think that yelp owes me a st
Après :     ['place', 'suck', 'say', 'suck', 'mean', 'donkey', 'ball', 'suck', 'think', 'yelp']

Avant :     How do you mess up an It's Always Sunny in Philadelphia bar? Doesn't look like Paddy's Pub at all, a
Après :     ['mess', 'philadelphia', 'bar', 'look', 'paddy', 'pub', 'photo', 'cast', 'wall', 'kid']

Avant :     This place blows. I took an out of town guest here. After 10 minutes of no bar service we left. The 
Après :     ['place', 'blow', 'take', 'town', 'guest', 'minute', 'bar', 'service', 'leave', 'place']

Avant :     Stopped in for a beer and lunch while playing tourist in Philadelphia for the weekend. Had the sausa
Après :     ['stop', 'beer', 'lunch', 'play', 'tourist', 'weekend', 'sausage', 'pepper', 'alright', 'write_home']

Avant :     Terrible customer service. Waitress young ,ignorant, rude, was talking to a guy at the bar instead o
Après :     ['customer_service', 'waitress', 'talk', 'guy', 'bar', 'wait', 'place', 'life', 'give', 'trouble']

Avant :     Love it's always sunny in Philadelphia. Was excited to go here for a beer while on holiday from the 
Après :     ['love', 'beer', 'holiday', 'order', 'ask', 'show', 'drive', 'licence', 'date', 'birth']

Avant :     rude service, overpriced food and drinks, and horrible atmosphere.  who wants to spend money at a pl
Après :     ['service', 'overprice', 'food', 'drink', 'atmosphere', 'want', 'spend_money', 'place', 'disrespect', 'server']

Avant :     Im relatively sure there is a decent bar somewhere under the thick layers of old city douchiness tha
Après :     ['bar', 'layer', 'city', 'douchiness', 'cover', 'place', 'dig', 'midnight', 'saturday']

Avant :     I've been here a few times and each time has been worse than the last.  Most recently, the bartender
Après :     ['time', 'time', 'bartender', 'add', 'drink', 'order', 'call', 'give', 'attitude', 'manager']

Avant :     I've been here before for lunch and had great service. Yesterday I didn't get so lucky. I stopped in
Après :     ['lunch', 'service', 'yesterday', 'stop', 'fiance', 'appetizer', 'drink', 'waitress', 'take', 'order']

Avant :     When I ordered delivery tonight, it gave me a 35-45 minute delivery time. The pizza arrived 70 minut
Après :     ['order', 'delivery', 'tonight', 'give', 'minute', 'delivery', 'time', 'pizza', 'arrive', 'minute']

Avant :     Terrible service and driver...drivers will claim they don't have a receipt and then jack up the pric
Après :     ['service', 'driver', 'driver', 'claim', 'order', 'pocket', 'rest', 'slice', 'cheese', 'pizza']

Avant :     I really don't know why I keep coming to this location.  The staff is unfriendly, the food tastes ol
Après :     ['know', 'keep', 'come', 'location', 'staff', 'food', 'taste', 'time', 'experience', 'time']

Avant :     This place insults Chinese cuisine much like Olive Garden does to Italian. I'll shank someone w/ cho
Après :     ['place', 'insult', 'cuisine', 'olive_garden', 'shank', 'chopstick', 'suggest', 'dump']

Avant :     I have not been to PF Changs in about five years. But last time I was there it was great. This exper
Après :     ['chang', 'year', 'time', 'experience', 'day', 'food', 'service', 'pad', 'lot', 'restaurant']

Avant :     The only benefit to coming here is large portion size. Four of us went, we got spicy chicken, lomein
Après :     ['benefit', 'come', 'portion_size', 'chicken', 'lomein', 'fry_rice', 'ahi', 'bowl', 'ahi', 'rest']

Avant :     The place is an insult to the Asian cuisine. I love all Asian, but I never had anything like this, I
Après :     ['love', 'asian', 'mess', 'load', 'grease', 'sodium']

Avant :     Food was not very good and speed of service is very slow. Our waitress was very friendly tho. Grante
Après :     ['food', 'speed', 'service_slow', 'waitress', 'tho', 'grant', 'cane', 'night', 'take', 'serve']

Avant :     This place is an overpriced chinese food imposter. I really don't know what they are trying to accom
Après :     ['place', 'overprice', 'food', 'imposter', 'know', 'try', 'figure', 'thing', 'chang', 'olive_garden']

Avant :     I've eaten at several P. F. Changs locations and this one is by far my least favorite. Lack luster s
Après :     ['eat', 'chang', 'location', 'lack_luster', 'service', 'mention', 'apple', 'salad', 'minute', 'restaurant']

Avant :     Celiacs beware. 3 out of the 5 times i've been to this location i've been glutened. It stinks becaus
Après :     ['celiac', 'beware', 'time', 'location', 'glutene', 'stink', 'food', 'risk', 'trust', 'gluten']

Avant :     My god waiting for the kitchen is one thing waiting on slow service is another. Tonight was rare for
Après :     ['wait', 'kitchen', 'thing', 'wait', 'service', 'tonight', 'form', 'inept', 'waiter', 'seem_care']

Avant :     We frequent PF Changs...very disappointing this time; menu changed (not their fault), but my dish ha
Après :     ['chang', 'time', 'menu', 'change', 'fault', 'dish', 'shrimp', 'offer', 'bring', 'girl']

Avant :     Went downhill. Dirty dishes small portions food wasn't good. I always loved PF changs but not anymor
Après :     ['dish', 'portion', 'food', 'love', 'chang']

Avant :     Had the crispy chicken and 4 pan fried shrimp dumplings for lunch yesterday and I was horrible. The 
Après :     ['dumpling', 'lunch', 'yesterday', 'crispy', 'chicken', 'sauce', 'spicy', 'town', 'rice', 'dumpling']

Avant :     If I could give negative stars I would. Terrible service. No one acknowledged me for over 10 minutes
Après :     ['give_star', 'service', 'acknowledge', 'minute', 'leave', 'customer', 'tell', 'bother', 'order', 'wait_minute']

Avant :     McDonalds of Pizza minus the dollar menu but if you got 5$ and want pizza might as well.  It's a ste
Après :     ['mcdonald', 'pizza', 'dollar', 'menu', 'want', 'pizza', 'step', 'pocket']

Avant :     I've never waited for my hot and ready pizza, wings and crazy bread, as long as I did tonight. 31 mi
Après :     ['wait', 'pizza', 'wing', 'bread', 'tonight', 'organize', 'mess', 'order', 'include', 'mine']

Avant :     With over an hour before closing this location ran out of product. They did not give a time for how 
Après :     ['hour', 'closing', 'location', 'run', 'product', 'give', 'time', 'take', 'make', 'item']

Avant :     Food was decent but service was absolutely horrible. We ordered Sushi and a dinner plate and it took
Après :     ['food', 'service', 'order', 'dinner', 'plate', 'take', 'help', 'drink', 'want', 'crapy']

Avant :     I was really on the line of giving it three stars but decided not to at the last second. The food wa
Après :     ['line', 'give_star', 'decide', 'food', 'place', 'think']

Avant :     Eh, nothing is super special about Sushi Teri.  The rolls are alright, the food is okay, the service
Après :     ['food', 'service', 'meh', 'prefer', 'food', 'stop', 'friend', 'table', 'wet', 'water']

Avant :     Just ate a teriyaki chicken lunch bowl that was terrible. The chicken was full of fat and loaded wit
Après :     ['eat', 'lunch', 'bowl', 'ask', 'eat', 'dog', 'eat', 'leftover', 'bring', 'ask']

Avant :     I'm not a sushi snob by any means, but this place is HORRIBLE! Fish was room temperature, the rolls 
Après :     ['mean', 'place', 'fish', 'room_temperature', 'roll', 'soy', 'paper', 'ginger', 'imitation', 'know']

Avant :     This place IS NEVER EVER open past 9pm or 9:30pm. They refuse service on a constant basis. The false
Après :     ['place', 'refuse', 'service', 'basis', 'advertise', 'believe', 'hour', 'past', 'rush', 'judge']

Avant :     I got the seaweed salad as a side. $8.00 for a bowl of premade seaweed. Are you serious? I also got 
Après :     ['seawee', 'side', 'bowl', 'premade', 'seaweed', 'tuna', 'top', 'taste', 'return']

Avant :     My husband & I moved to Carp & we LOVE sushi so were super excited to have a sushi place just down t
Après :     ['husband', 'move', 'love', 'disappointment', 'sushi', 'want', 'beat', 'place', 'review', 'replace']

Avant :     Sushi Teri was one of our 'Go-To's' for carry out on a weekly basis. We get the same order every tim
Après :     ['carry', 'basis', 'order', 'time', 'combo', 'roll', 'start', 'forget', 'sauce', 'charge']

Avant :     This place is highly variable. Some days the sushi is fresh, perfectly made and the service is excel
Après :     ['place', 'day', 'make', 'service', 'day', 'fish', 'service', 'place', 'wear', 'look']

Avant :     Worst experience! I am from this town and I can tell you I'm never going back to this restaurant aga
Après :     ['experience', 'town', 'tell', 'restaurant', 'waiter', 'terrible', 'refill_water', 'finish', 'meal', 'friend']

Avant :     I use to love this restaurant but now it's bad. It's really bad! they repeatedly messed up our order
Après :     ['use_love', 'restaurant', 'order', 'bring', 'minute', 'host', 'complacent', 'server', 'stay', 'beer']

Avant :     The restaurant is small, but quaint. 

The menu is small as well (six entrees, and three desserts). 
Après :     ['restaurant', 'quaint', 'menu', 'entree', 'dessert', 'food', 'catering', 'company', 'expect', 'staff']

Avant :     Two stars is generous. The truffle fries were ok but a bit over cooked and greasy. The airline serve
Après :     ['star', 'truffle_fry', 'bit', 'cook', 'greasy', 'airline', 'serve', 'bowl', 'reheat', 'vegetable']

Avant :     I love, LOVE this bar.  They have great food, excellent guest taps, and usually a great staff.  Howe
Après :     ['love', 'love', 'bar', 'food', 'guest', 'tap', 'staff', 'bartender', 'shot', 'job']

Avant :     Always has been one of my favorite places on Mass Ave. Good food and great service. The complaint I 
Après :     ['place', 'mass', 'ave', 'food', 'service', 'complaint', 'visit', 'service', 'time', 'place']

Avant :     The Good: Decent beer selection, flavorful sandwiches 

I had the greek sandwich which was a piece o
Après :     ['beer_selection', 'sandwich', 'sandwich', 'piece_chicken', 'breast', 'feta', 'veggie', 'bread', 'sandwich', 'eat']

Avant :     Normally one of my favorite downtown dining and drinking spots, so it pains me to give a bad review,
Après :     ['downtown', 'dining', 'drinking', 'spot', 'pain', 'give', 'review', 'compel', 'base', 'service']

Avant :     The food was pretty bland. I would recommend coming here for the craft beer, but definitely not the 
Après :     ['food', 'bland', 'recommend', 'come', 'craft_beer', 'food', 'pizza', 'spinach', 'leave', 'throw']

Avant :     Worst experience ever. Provided by the management  assuming we "stole a table" from other guest. We 
Après :     ['experience', 'provide', 'management', 'assume', 'stole', 'table', 'guest', 'end', 'leave']

Avant :     Open until 7pm but this deli consistently runs out of bread in the afternoon. Last three times I've 
Après :     ['deli', 'run', 'bread', 'afternoon', 'last', 'time', 'sandwich', 'sign', 'bread']

Avant :     Meh. King of Pizza has been consistently mediocre for the 20 years I've lived around here. The pizza
Après :     ['king', 'pizza', 'year', 'live', 'pizza', 'hit_miss', 'burn', 'cheese_steak', 'side', 'service']

Avant :     Pizza is great, but the staff is awful and the delivery is the WORST. We have been devoted customers
Après :     ['pizza', 'staff', 'delivery', 'devote', 'customer', 'love', 'pizza', 'try', 'stay', 'keep']

Avant :     Mediocre pizza, terrible service, pizza showed up folded & squished, single most painful ordering pr
Après :     ['pizza', 'service', 'pizza', 'show', 'fold', 'squish', 'ordering', 'process', 'experience']

Avant :     Made a reservation for my family of 15 people that were in for thanksgiving. Called the day of to ma
Après :     ['make_reservation', 'family', 'people', 'thanksgive', 'call', 'day', 'make', 'adjustment', 'reservation', 'say']

Avant :     Sit at the bar. Wait staff is spacey and is NOT knowledgeable about the beer/whiskey. Received the w
Après :     ['sit_bar', 'wait', 'staff', 'spacey', 'beer', 'whiskey', 'receive', 'beer', 'drink', 'understand']

Avant :     How do you invest thousands of dollars into a new restaurant then serve frozen fish and frozen Frenc
Après :     ['invest', 'thousand', 'dollar', 'restaurant', 'serve', 'fish', 'fry', 'burger', 'king']

Avant :     Shenanigans is no longer there.  Burned to the ground a few weeks ago.
Après :     ['shenanigan', 'burn', 'ground', 'week']

Avant :     I had the worst duck that I have ever had.  It was so tough that I could hardly cut into it.  The ch
Après :     ['duck', 'cut', 'cherry', 'sauce', 'uninspire', 'wife', 'curry', 'thing', 'agree', 'take']

Avant :     They were invited to join our school event with 15% of their proceeds benefiting the school. They we
Après :     ['invite', 'join', 'school', 'event', 'proceed', 'benefit', 'school', 'truck', 'donate', 'amount']

Avant :     I can usually count on prompt service and good food when I go to cpk. today, the host greeted us war
Après :     ['count', 'service', 'food', 'cpk', 'today', 'host', 'greet', 'experience', 'end', 'take']

Avant :     Went on a Friday night.  The place was busy, but not overly crowded.  We were seated near the kitche
Après :     ['night', 'place', 'seat', 'kitchen', 'manager', 'way', 'horsing', 'staff', 'kitchen', 'staff']

Avant :     I was in town on business and wanted to grab a late night dinner on the healthier side.  I've been t
Après :     ['town', 'business', 'want', 'grab', 'night', 'dinner', 'side', 'decide', 'drop', 'take']

Avant :     We went on a Friday night. The service was horrible!  We were the only ones in the dining are and it
Après :     ['night', 'service', 'one', 'dining', 'take', 'minute', 'waiter', 'place', 'order', 'waiter']

Avant :     Not a good service combined with very bad quality food..Burger was elastic not well grilled .. Not s
Après :     ['service', 'combine', 'quality', 'food', 'burger', 'grill', 'serve', 'ingredient', 'list', 'menu']

Avant :     Ordered 3 appetizers for $13.50 plus 2 additional ones at $5/each plus one brutus during happy hour 
Après :     ['order', 'appetizer', 'one', 'hour', 'bill', 'come', 'server', 'watch', 'ring', 'price']

Avant :     This place is a joke only one waiter in the entire restaurant, and then he tells our table we are th
Après :     ['waiter', 'restaurant', 'tell', 'table', 'table', 'day', 'restaurant', 'hotel', 'feel', 'minute']

Avant :     I am sorry to see this beautiful place go down hill.  I used to come for lunch quite often. The sala
Après :     ['see', 'place', 'use', 'come', 'lunch', 'salad', 'gumbo', 'plate', 'yesterday', 'place']

Avant :     It always has a strong smell when you open the door plus they aren't friendly or approachable at all
Après :     ['smell', 'door']

Avant :     Usually packed. Line moves slow. I notice the employees don't really care about what they are doing.
Après :     ['pack', 'line', 'move', 'notice', 'employee', 'care', 'rush', 'make', 'food', 'try']

Avant :     Used to drive out of my way to come to this location, (I live closer to the one down 4th st)
A few t
Après :     ['use', 'drive', 'way', 'come', 'location', 'live', 'order', 'steak', 'bowl', 'put']

Avant :     They give you noooooooo meat. Ive tried them about 3 times and each time they give me like half a sp
Après :     ['give', 'meat', 'try', 'time', 'time', 'give', 'spoon', 'meat', 'today', 'want']

Avant :     Worst Chipotle experience hands down. Food is cold, order placed and paid for online was incorrect, 
Après :     ['chipotle', 'experience', 'hand', 'food', 'order', 'place', 'pay', 'forget', 'chip', 'order']

Avant :     I love chipotle but this location can't keep up and they didn't even have food prep at 12:00pm come 
Après :     ['love', 'chipotle', 'location', 'keep', 'food', 'prep', 'come', 'lunch', 'time', 'scrape']

Avant :     Completely inefficient, ran out of black beans by 1pm, and when I checked out, I was overcharged. Wh
Après :     ['run', 'bean', 'check', 'overcharge', 'ask', 'manager', 'yell', 'serve', 'line', 'cashier']

Avant :     Asked for a Manhattan.. "we don't have the stuff for it." Asked for a martini.. "we don't have the s
Après :     ['ask', 'stuff', 'ask', 'martini', 'stuff', 'kind', 'bar', 'vermouth', 'bummer']

Avant :     Bleh. Not bad but certainly not good.  The service was somewhat pushy and the music did not start as
Après :     ['bleh', 'service', 'music', 'start', 'advertise', 'blame', 'come', 'dining', 'place', 'stone']

Avant :     I always buy 3 flour carne asada tacos for less than 6 bucks, imagine my big surprise when I went wi
Après :     ['buy', 'flour', 'carne', 'buck', 'imagine', 'surprise', 'dollar', 'buy', 'taco', 'meat']

Avant :     I have NO IDEA why this place gets high ratings.

It's a food van that's permanently parked by a ten
Après :     ['idea', 'place', 'rating', 'food', 'van', 'park', 'tent', 'intersection', 'road', 'positive']

Avant :     There are some days when you are so desperate for a cup of coffee that you will pay a fortune. So im
Après :     ['day', 'cup_coffee', 'pay', 'fortune', 'imagine', 'surprise', 'day', 'cup_coffee', 'land', 'buck']

Avant :     This place was ok, I guess.  I have definitely had better coffee and the hot chocolate was way too s
Après :     ['place', 'guess', 'coffee', 'chocolate', 'way']

Avant :     I am confused by all the positive reviews this place has gotten.  The atmosphere was fine and the co
Après :     ['review', 'place', 'atmosphere', 'coffee', 'fine', 'service', 'food', 'people_work', 'look', 'hate']

Avant :     Just not very good.

The carne asada, chicken cilantro and seafood dish:

The beef was grey unidenti
Après :     ['dish', 'beef', 'grey', 'industry', 'fillet', 'season', 'broth', 'soak', 'fry', 'put']

Avant :     I asked what was best and so I had the beef saltado.  I have been to about 10 Peruvian restaurants a
Après :     ['ask', 'beef', 'saltado', 'restaurant', 'beef', 'quality', 'vegetable', 'fry', 'sauce', 'good']

Avant :     We decided to give this place a try last night and we were very disappointed. I ordered the teriyaki
Après :     ['decide', 'give', 'place', 'try', 'night', 'disappoint', 'order', 'pad', 'share', 'order']

Avant :     I felt like this was a Starbucks claim at a trailer park! Very entertaining staff! If you want a sho
Après :     ['feel', 'starbuck', 'claim', 'trailer', 'park', 'entertain', 'staff', 'want', 'show', 'recommend']

Avant :     Patron is banned for life from ALL Starbucks. What's the matter with you, Starbucks? You really got 
Après :     ['patron', 'ban', 'life', 'starbuck', 'matter', 'starbuck', 'parking', 'govern', 'right', 'division']

Avant :     I ban you. This Starbucks will never get my business. There is a reason for handicap spots and what 
Après :     ['starbuck', 'business', 'reason', 'handicap', 'spot', 'hoity', 'toity', 'customer', 'think', 'walk']

Avant :     Don't go to this Wendy's. Ordered food and waited 20 minutes for it to come out. It is Halloween nig
Après :     ['order', 'food', 'wait_minute', 'come', 'halloween', 'night', 'crowd', 'kid', 'come', 'take']

Avant :     This place is the pits.  They always forget something. For example they didint give me any sour crea
Après :     ['place', 'pit', 'forget', 'example', 'didint', 'give', 'cream', 'potato', 'wth', 'service']

Avant :     A co-worker recommended this place.   Prefer Caribbean Delight, which is right down the street.  Ser
Après :     ['worker', 'recommend', 'place', 'prefer', 'street', 'service', 'place', 'food', 'thing', 'tv']

Avant :     I'm extremely disappointed. I went in here with my expired coupon and they wouldn't even let me use 
Après :     ['expire', 'coupon', 'let', 'use', 'value', 'groupon', 'groupon', 'regulation', 'say', 'bring']

Avant :     Can't imagine why this place is still around.  From the skanky exterior, who would park and enter?  
Après :     ['imagine', 'place', 'exterior', 'park', 'enter', 'food', 'service', 'roll', 'dice', 'place']

Avant :     I could not believe the service at this place.  I have never seen a server walk so slow or get so ma
Après :     ['believe', 'service', 'place', 'see', 'server', 'walk', 'thing', 'order', 'food', 'take']

Avant :     The food is just OK. Spicy is genuinely feel it  in your years and have to pause spicy. The rice and
Après :     ['food', 'spicy', 'feel', 'year', 'rice', 'plantain', 'recommend', 'beef', 'chicken', 'patty']

Avant :     I like their food but I have them rated at two stars because of their delivery service. Right now "U
Après :     ['food', 'rate', 'star', 'delivery', 'service', 'uber_eat', 'eat', 'one', 'order', 'uber_eat']

Avant :     For about a month after going to the Jamaican Jerk Hut, I felt physically sick when I heard reggae. 
Après :     ['month', 'feel', 'hear', 'wish', 'kidding', 'dislike', 'food', 'table', 'party', 'pay']

Avant :     This place is the pits. I went there with a medium-sized party (with reservations) and sat outside. 
Après :     ['place', 'pit', 'party', 'reservation', 'sit', 'waitress', 'screw', 'order', 'service', 'take']

Avant :     Overpriced!!!!! Horrible service, and shady business!!! They charge you an extra 10 dolars per perso
Après :     ['overprice', 'service', 'business', 'charge', 'dolar', 'person', 'eat', 'tell', 'time', 'pay']

Avant :     Inauthentic jamaican flavors. 
Visited today and ordered two of the simplest dishes served in almost
Après :     ['flavor', 'visit', 'today', 'order', 'dish', 'serve', 'soup', 'jerk', 'wing', 'soup']

Avant :     I came here with a party of 9, we got seated in their outdoor patio section and started drinking fro
Après :     ['come', 'party', 'seat', 'patio', 'section', 'start', 'drink', 'case', 'beer', 'bring']

Avant :     Years ago this place was much different.. now you have all this bone in your platter, and the prices
Après :     ['year', 'place', 'bone', 'platter', 'price', 'agree', 'people', 'service', 'people', 'roll_eye']

Avant :     The service here is terrible.  They charged us for a corking fee, but did not uncork our bottle of w
Après :     ['service_terrible', 'charge', 'cork', 'fee', 'uncork', 'bottle_wine', 'dining_room', 'small', 'take', 'hour']

Avant :     What a mess.  This place's time is over.  
Micro wave is used constantly - we could hear it dinging 
Après :     ['place', 'time', 'wave', 'use', 'hear', 'dinge', 'non', 'stop', 'drink', 'minute']

Avant :     Tried Jamaican Jerkhuts food at the PHS pop up garden. Food took forever. It came from a take out wi
Après :     ['try', 'food', 'phs', 'pop', 'garden', 'food', 'take', 'come', 'take', 'window']

Avant :     I would not bother spending money on the drinks here. They lack the necessary selection for a coffee
Après :     ['bother', 'spend_money', 'drink', 'lack', 'selection', 'coffee', 'house', 'signature', 'drink', 'lack_flavor']

Avant :     Well... the girl at the counter did not know what a pour over was. That should tell anyone looking f
Après :     ['counter', 'know', 'tell', 'look', 'coffee', 'coffee', 'house', 'order', 'room', 'cream']

Avant :     Not my first time there tonight but absolutely my last.  I am beyond sick to my stomach (literally) 
Après :     ['time', 'tonight', 'stomach', 'type', 'friend', 'tonight', 'eat', 'risk', 'friend', 'state']

Avant :     We went here because sushi alive changed location.
Customer service: horrible.
When we first get int
Après :     ['change', 'location', 'customer_service', 'restaurant', 'wait', 'front', 'order', 'hour', 'thing', 'server']

Avant :     Horrible absolutely horrible service, I ordered, and told them I'm trying to see if you can deliver 
Après :     ['service', 'order', 'tell', 'try', 'deliver', 'location', 'check', 'say', 'place', 'order']

Avant :     Freaky slow. Employees were dancing, chatting and only one person out of four was slowly working on 
Après :     ['freaky', 'slow', 'employee', 'dance', 'chat', 'person', 'work', 'sandwich', 'wheat', 'bread']

Avant :     Doesn't taste very good, especially the pork intestines, it taste raw and a lot of fat. I wouldn't r
Après :     ['taste', 'pork', 'intestine', 'taste', 'lot', 'fat', 'recommend', 'restaurant', 'time', 'dinner']

Avant :     The customer service is horrible!!
Possibly the owner who knows, got upset with us cause we didn't l
Après :     ['customer_service', 'owner', 'know', 'upset', 'cake', 'make', 'back', 'recommend', 'bakery', 'seem']

Avant :     I'm not impressed.  It's not like the food was bad or anything but everything we ordered was food th
Après :     ['food', 'order', 'food', 'eat', 'spot', 'city', 'depend', 'palate', 'suppose', 'people']

Avant :     Tried the fried plantain which were good. Also tried the mac and cheese which was not good.  The mac
Après :     ['try', 'fry', 'good', 'try', 'cheese', 'cook', 'chance', 'try', 'beef', 'patty']

Avant :     One star for the delivery being on time and another for following instructions in notes of my online
Après :     ['star', 'delivery', 'time', 'follow', 'instruction', 'note', 'order', 'food', 'ass', 'drive']

Avant :     We live less than five blocks away.  After the second time in a row the pie was delivered cold I  ca
Après :     ['live_block', 'time', 'row', 'pie', 'deliver', 'call_complain', 'response', 'tell', 'tell', 'year']

Avant :     I was drawn to this place by positive reviews, but was fooled again.  Still can't find a decent pizz
Après :     ['draw', 'place', 'review', 'fool', 'find', 'pizza', 'place', 'pizza', 'topping', 'cheese']

Avant :     . Very disappointed in the Sicilian pizza probably the worst I've ever had , barely any sauce mostly
Après :     ['pizza', 'sauce', 'dough', 'bit', 'cheese', 'waste_money']

Avant :     They make great bread sandwiches. Clara Peller would be proud in saying "where's the beef?" no taste
Après :     ['make', 'bread', 'sandwich', 'say', 'beef', 'taste']

Avant :     This place somehow is always a miss for me. Thought I would give it a second chance with the chicken
Après :     ['place', 'miss', 'thought', 'give_chance', 'pad', 'banh', 'request', 'taste', 'desire', 'banh']

Avant :     A few things really bothered me about this place. A. They told me they were out of boba when in fact
Après :     ['thing', 'bother', 'place', 'tell', 'fact', 'come', 'order', 'drink', 'continue', 'make']

Avant :     Probably the worst customer service available at a Asian establishment. I've been to many so I don't
Après :     ['customer_service', 'establishment', 'expect', 'start', 'place', 'make', 'experience', 'seem', 'order', 'drink']

Avant :     I was a bit disappointed. Ordered the spicy beef soup and it wasn't hot or spicy enough. The soup ha
Après :     ['bit', 'order', 'beef', 'soup', 'soup', 'flavor', 'tea', 'customize', 'flavor', 'place']

Avant :     All of the salads looked exciting on the menu, but when further examined, it becomes evident that th
Après :     ['salad', 'look', 'menu', 'examine', 'become', 'ingredient', 'salad', 'avocado', 'piece', 'lettuce']

Avant :     Living so close, I wish this place was decent. Food is weak, prices are too high for what you're get
Après :     ['live', 'wish', 'place', 'food', 'price', 'say', 'service', 'wish', 'food', 'return']

Avant :     We had lunch here today before wandering around Ikea. Anytime a restaurant says they'll make any bur
Après :     ['lunch_today', 'wander', 'restaurant', 'say', 'make', 'feel', 'bleu', 'burger', 'waitress', 'hit']

Avant :     Waited forever for food. Some things came very late and something's never came to the table. The man
Après :     ['wait', 'food', 'thing', 'come', 'come', 'table', 'manager', 'involve', 'help', 'bring']

Avant :     Sad!  Last time eating here.  Over priced, over cooked, under staffed!  Salad ok butt charged $2 for
Après :     ['time', 'eat', 'price', 'cook', 'staff', 'salad', 'butt', 'charge', 'anchovy', 'background']

Avant :     Food is good but pricey. The chopped Greek salad is a decent choice. Customer service, management an
Après :     ['food', 'pricey', 'chop', 'salad', 'choice', 'customer_service', 'management', 'ownership', 'refuse', 'cater']

Avant :     Been here several times, but tonight was the last. Food has always been mediocre at best and overpri
Après :     ['time', 'tonight', 'food', 'mediocre', 'overprice', 'fry', 'undercooke', 'potato', 'chip', 'sauce']

Avant :     I tried this place because of the convenience....its got a nice location downtown.  I've definitely 
Après :     ['try', 'place', 'convenience', 'location', 'downtown', 'experience', 'side', 'market', 'georgio', 'tower']

Avant :     I love Roma burgers, I try to have one in every city I visit but this location butchered the Roma bu
Après :     ['love', 'roma', 'burger', 'try', 'city', 'visit', 'location', 'butcher', 'roma', 'burger']

Avant :     I absolutely love the food and Sweets. However, after having such a poor customer experience today, 
Après :     ['love', 'food', 'sweet', 'customer', 'experience', 'today', 'back', 'manager', 'inform', 'take']

Avant :     I will not return to this location. I contacted the manager in regards to a poorly made pizza I rece
Après :     ['return', 'location', 'contact', 'manager', 'regard', 'make', 'pizza', 'receive', 'reply', 'inquiry']

Avant :     Ordered a large pepperoni, with garlic knots. Delivery took almost over an hour. Once we got it open
Après :     ['order', 'pepperoni', 'garlic_knot', 'delivery', 'take', 'hour', 'open', 'pizza', 'look', 'luke']

Avant :     I went back and forth before writing this review - but have gotten a sad meal here now three times- 
Après :     ['write_review', 'meal', 'time', 'pancake', 'mix', 'thing', 'bring', 'side', 'wait_min', 'burger']

Avant :     Lost my reservation for two people, not going back. I know they were busy but that's a little ridicu
Après :     ['lose', 'reservation', 'people', 'know']

Avant :     Not sure what all the hype is about. I wanted the french toast but I wanted strawberry instead of ba
Après :     ['want', 'toast', 'want', 'strawberry', 'banana', 'switch', 'order', 'omelet', 'grill', 'onion']

Avant :     Went for breakfast,service was poor,ordered coffee had to wait 10 minutes for a spoon ,ordered Chall
Après :     ['breakfast', 'service', 'order', 'coffee', 'wait_minute', 'spoon', 'order', 'receive', 'overprice', 'quality']

Avant :     Since you don't take reservations, but you accept call ahead seating.  Take the call ahead when a cu
Après :     ['take', 'reservation', 'accept', 'call', 'seat', 'take', 'call', 'customer', 'call', 'tell']

Avant :     Wait time was ridiculous. And was way over the hour and 20 minutes they said. So they straight up li
Après :     ['wait', 'time', 'way', 'hour', 'minute', 'say', 'lie', 'food', 'try', 'location']

Avant :     Took ten minutes for the host to notice I entered the establishment and seat me. After waiting 18 mi
Après :     ['take', 'minute', 'host', 'notice', 'enter', 'establishment', 'seat', 'wait_minute', 'approach', 'server']

Avant :     Applebee's has gone downhill lately. The portions are small and the prices are rising. Don't go ther
Après :     ['applebee', 'portion', 'price', 'rise', 'atmosphere']

Avant :     One Star too Many -- While are Sever
Lori Lee (  ) was exception 
The Food was the Garbage --- the a
Après :     ['star', 'sever', 'food', 'garbage', 'atmosphere', 'clean', 'dining_room', 'freeze', 'food', 'garbage']

Avant :     Service is terrible!  Management is just as bad-- what a great example for their staff!  Do not orde
Après :     ['service', 'management', 'example', 'staff', 'order', 'find', 'wait', 'acknowledge', 'relent', 'avoid']

Avant :     Um, never again. Came to visit a friend & decided to come to Applebees. Wasn't too hungry & decided 
Après :     ['come', 'visit', 'friend', 'decide', 'come', 'applebee', 'decide', 'food', 'salad', 'enjoy']

Avant :     I don't know why this place got high reviews.  I ordered delivery based on those and I regretted it 
Après :     ['know', 'place', 'review', 'order', 'delivery', 'base', 'regretted', 'order', 'dish', 'chicken']

Avant :     Not sure how  this gets high marks. Food was bland and just covered up by lots of spice. I don't min
Après :     ['mark', 'food', 'bland', 'cover', 'lot', 'food', 'taste', 'disappoint']

Avant :     Take out. The food was ready in 15 minutes. The Thai basil stir fry with chicken was very watery, to
Après :     ['take', 'food', 'minute', 'stir_fry', 'chicken', 'watery', 'dish', 'side', 'rice', 'soak']

Avant :     Overpriced, slow service, and food that I can make at home from options at the local Walmart. I thou
Après :     ['overprice', 'service', 'food', 'make', 'home', 'option', 'think', 'grab', 'beer', 'help']

Avant :     The food was pretty good however the menu is small so if you are picky I wouldn't come here. The rea
Après :     ['food', 'menu', 'reason', 'give_star', 'staff', 'move', 'try', 'restaurant', 'town', 'employee']

Avant :     Jesse H - 2010 probably would be the year I visited (several times) and never returned. My team was 
Après :     ['year', 'visit', 'time', 'return', 'team', 'sponsor', 'village', 'pub', 'bring', 'trophy']

Avant :     Well this place sucks. They have nice plants and nice decor but they served there food as if a grown
Après :     ['place', 'suck', 'plant', 'serve', 'food', 'grow', 'man', 'notice', 'bread', 'buy']

Avant :     Food was not well seasoned. They said they were understaffed and there was staff sitting in the dini
Après :     ['food', 'season', 'say', 'staff', 'sit', 'dining_room', 'laptop', 'disappoint']

Avant :     Absolutely terrible food and service.  If I could give it zero stars I would.  No redeeming qualitie
Après :     ['food', 'service', 'give_star', 'redeem_quality']

Avant :     Food Standard American Mexican.

Service Slow 

Price Standard 

It is not Fresh high quality mexica
Après :     ['food', 'service', 'price', 'quality', 'mexican', 'food', 'place', 'eat']

Avant :     I wish they would have brought the chips and salsa before we ordered as we probably would have left 
Après :     ['wish', 'brought', 'chip', 'order', 'leave', 'basis', 'chip', 'friend', 'describe', 'food']

Avant :     If I could give 0 stars I would! We went at an odd time, late afternoon, but we stumbled onto "The L
Après :     ['give_star', 'time', 'afternoon', 'stumble', 'fly', 'set', 'charge', 'worker', 'people', 'schooler']

Avant :     I really don't understand why people go here, there are so many better Mexican restaurants around. I
Après :     ['understand', 'people', 'restaurant', 'experience', 'party', 'service', 'food', 'describe', 'menu', 'owner']

Avant :     Run by teenagers. Orders go in from tables, but return in a lottery fashion to individuals all over 
Après :     ['run', 'teenager', 'order', 'table', 'return', 'lottery', 'fashion', 'individual', 'room', 'chaos']

Avant :     Where to start. Ordered food to go. Salsa tasted like marina, rice and beans smelled like dog food, 
Après :     ['start', 'order', 'food', 'taste', 'rice_bean', 'smell', 'dog', 'food', 'order', 'chip']

Avant :     Live less than 3 miles away an they don't deliver. Guess I will drive to penthouse then. Your chain 
Après :     ['live', 'mile', 'deliver', 'guess', 'drive', 'penthouse', 'chain', 'lose_business']

Avant :     Ambiance - cozy...except for the bathroom...so small...no place to wait on line...
Food - salty...sm
Après :     ['ambiance', 'cozy', 'bathroom', 'place', 'wait_line', 'food', 'portion', 'order', 'veg', 'dumpling']

Avant :     We were here on a busy Saturday night so that could be why our experience was so sub-par. The servic
Après :     ['night', 'experience', 'sub_par', 'service', 'waitress', 'order', 'wait', 'food', 'serve', 'food']

Avant :     worst Thai food I have ever had.  the first restaurant I have been to that screwed up fried rice. It
Après :     ['food', 'restaurant', 'screw', 'rice', 'soggy', 'order', 'special', 'replace', 'fish', 'cook']

Avant :     I was excited when this chipotle was first open, since it's our favorite fast food ever. But we're g
Après :     ['chipotle', 'food', 'pet', 'peeve', 'chipotle', 'rice', 'chipotle', 'location', 'disappoint', 'come']

Avant :     No smiles, running out of food but not communicating to teammates loud enough what is needed, arguin
Après :     ['smile', 'run', 'food', 'communicate', 'teammate', 'need', 'arguing', 'give', 'portion', 'wait']

Avant :     I have been to the Chipotle at 126th street 2 times now and each time they have been out of either C
Après :     ['time', 'chicken', 'steak', 'hour', 'seem', 'type', 'rush', 'food', 'prepare', 'decide']

Avant :     Horrible coordination of register n food prep. I stood there watching them make multiple orders whil
Après :     ['coordination', 'register', 'food', 'prep', 'stand', 'watch', 'make', 'order', 'food', 'people_work']

Avant :     Love the Chipotle chain but this one has variable quality on the food.

I mostly get the bowls and c
Après :     ['love', 'chain', 'quality', 'food', 'bowl', 'chicken', 'come', 'steak', 'tonight', 'chewy']

Avant :     Do not buy pizza here. I got a 12" pepperoni pizza for $18.25. I will never be back. The pizza uses 
Après :     ['buy', 'pizza', 'pepperoni', 'pizza', 'pizza', 'use', 'crust', 'size', 'portion', 'joke']

Avant :     I was very excited to try BRP as I had never been there before.  It was very expensive and my pet pe
Après :     ['try', 'brp', 'pet', 'peeve', 'pizza', 'topping', 'part', 'pizza', 'order', 'pizza']

Avant :     We bought a Groupon before checking reviews for this place.  Big mistake!  But we went there anyway 
Après :     ['buy', 'groupon', 'check', 'review', 'place', 'mistake', 'week', 'wife', 'pizza', 'say']

Avant :     There's hardly anyone here the many times that I've gone, and for some reason I continuously have to
Après :     ['time', 'reason', 'wait_minute', 'couple', 'arrive', 'seat', 'continue', 'look', 'look', 'server']

Avant :     Horrible service unless you are a high paying regular the bartenders keep the owner happy if you kno
Après :     ['service', 'pay', 'bartender', 'keep', 'owner', 'know', 'rude', 'want', 'recommend']

Avant :     This place needs to get it together! Ice cream machine is always "out of order" has happened at leas
Après :     ['place', 'need', 'ice_cream', 'machine', 'order', 'happen', 'time', 'part', 'stick', 'drive']

Avant :     I work until midnight by the time I get to sahuarita McDonald's I take 10 mins out of my drive only 
Après :     ['work', 'midnight', 'time', 'sahuarita', 'take_min', 'drive', 'hear', 'machine', 'take', 'cash']

Avant :     You get exactly the crap service you expect from a bunch of children being supervised by children.  
Après :     ['crap', 'service', 'expect', 'bunch', 'child', 'supervise', 'child', 'open', 'wallet', 'hire']

Avant :     We are all familiar with McDonalds, it's menu and what it consist of so I'll skip through that all. 
Après :     ['mcdonald', 'consist', 'feel', 'leave', 'critique', 'service', 'staff', 'number', 'time', 'service']

Avant :     This Location Really is Uber Baddd !!! Its totallly Unorganized and the Service to their customers i
Après :     ['location', 'uber', 'baddd', 'service', 'customer', 'rhe', 'direction', 'mess', 'wait', 'time']

Avant :     I've ordered twice from here and each time the medium pizzas had a five inches of crust. On one ocas
Après :     ['order', 'time', 'pizza', 'inch', 'crust', 'ocassion', 'put', 'topping', 'half', 'pizza']

Avant :     What do we have here? Pottstown's finest.
I called for carryout. Asked for the tuesday deal named "P
Après :     ['pottstown', 'call', 'carryout', 'ask', 'deal', 'name', 'papa', 'play', 'deal', 'tuesday']

Avant :     It was just okay, for a BBQ place in a Best Western. I see all the good reviews, so either we caught
Après :     ['see', 'review', 'catch', 'restaurant', 'night', 'lot', 'people', 'taste', 'bbq']

Avant :     As a business owner why would you close up and lock the doors at 10:50 if you don't close until 11:0
Après :     ['business', 'owner', 'close', 'lock_door', 'night', 'service', 'give', 'definition', 'word', 'rude']

Avant :     I've been here several times and always thought it was alright. Last time I ordered the Pad Thai wit
Après :     ['time', 'think', 'time', 'order', 'sahara', 'take', 'cup', 'water', 'finish']

Avant :     The tacos are definitely good, but overpriced. It's more like a $7 snack than a meal. I've had them 
Après :     ['overprice', 'snack', 'meal', 'wait', 'time', 'minute', 'time', 'food', 'truck', 'seem']

Avant :     The tacos were highly disappointing.  The flavor mix was not unique but rather just plain bad.  And 
Après :     ['flavor', 'mix', 'hour', 'hell', 'thing']

Avant :     I really wanted to like West Coast Tacos. I've eaten with them twice and have been underwhelmed both
Après :     ['want', 'taco', 'eat', 'underwhelme', 'time', 'food', 'hope', 'think', 'meat', 'ounce']

Avant :     The first time I ordered from this location, my order included a 2-liter of diet coke, but I receive
Après :     ['time', 'order', 'location', 'order', 'include', 'receive', 'oz', 'diet', 'coke', 'time']

Avant :     You can only give a place so many chances. Time after time, they screw up your order and offer no ap
Après :     ['give', 'place', 'chance', 'time', 'time', 'order', 'offer', 'apology', 'ask', 'pizza']

Avant :     Awful service. I am a loyal customer and they kept me waiting almost 2 goes for my pizza. I get 30mi
Après :     ['service', 'customer', 'keep', 'wait', 'pizza', 'minute', 'call', 'hour', 'mark', 'act']

Avant :     Charlotte Pike site: Terribly slow.  Well over an hour twice and at 50+ minutes now.   App said it w
Après :     ['site', 'hour', 'minute', 'say', 'minute', 'time', 'apologize', 'drink', 'order']

Avant :     Manager mike...come on my man. 3 hours? Have to ask for a refund? Cold pie. No stars.
Après :     ['hour', 'ask', 'refund', 'pie', 'star']

Avant :     OMG, I'm on bed rest and I had to get out of my bed. To take two pieces  of chicken and about ten pi
Après :     ['omg', 'bed', 'rest', 'bed', 'take', 'piece_chicken', 'piece', 'pasta', 'manager', 'say']

Avant :     I'm so done with this place. Every time I order from here, the food is terrible. My pizza is always 
Après :     ['place', 'time', 'order', 'food', 'pizza', 'burn', 'wing', 'undercooke', 'care', 'hate']

Avant :     Good service but TERRIBLE FOOD. Overcooked everything, one of the worst dining experiences ever.
Après :     ['service', 'food', 'overcook', 'dining_experience']

Avant :     The food was good but wow.....it took an hr to bring it out. Then they kept getting the orders wrong
Après :     ['food', 'take', 'bring', 'keep', 'order']

Avant :     Horrible waitress. Went around 2 pm on a Saturday and were seated quickly. Waited an exceedingly lon
Après :     ['waitress', 'seat', 'wait', 'time', 'food', 'arrive', 'take', 'parent', 'waitress', 'father']

Avant :     What is to like?  Smokey... 1 hour wait... very poor beer selection... just about the worst fish and
Après :     ['smokey', 'hour', 'wait', 'beer_selection', 'fish_chip']

Avant :     Used to be one of my favorite places but feel like this place is taking shortcuts that are showing u
Après :     ['use', 'place', 'feel', 'place', 'take', 'shortcut', 'show', 'food', 'food', 'serve']

Avant :     The guys in the deli are slow! All they do is talk and look around trying to avoid work. If you buy 
Après :     ['guy', 'deli', 'slow', 'talk', 'look', 'try', 'avoid', 'work', 'buy', 'produce']

Avant :     I ordered the chicken stew, it was Tasteless chicken, it was a fried chicken possibly a leftover, th
Après :     ['order', 'chicken', 'chicken', 'fry', 'chicken', 'throw', 'pot', 'make', 'want', 'leftover']

Avant :     I was really disappointed in my experience. The drinks were great, but the food was mediocre, and th
Après :     ['experience', 'drink', 'food', 'service_awful', 'receive', 'appetizer', 'see', 'waiter', 'cocktail']

Avant :     all those 5 stars reviews. Really??grilled pork chop was dry. cat fish, the green curry broth came w
Après :     ['star', 'review', 'grill', 'pork_chop', 'cat', 'fish', 'broth', 'come', 'measure', 'wine_glass']

Avant :     I had reservations at 8 on a Sunday night. It was very noisy so we asked to be seated at the window,
Après :     ['reservation', 'night', 'ask', 'window', 'hope', 'quieter', 'order', 'glass_wine', 'decide', 'leave']

Avant :     Service was sub par, food was not really that great, and we had to spilt our own check. When we had 
Après :     ['service', 'sub', 'food', 'spilt', 'check', 'request', 'reservation', 'party', 'notify', 'use']

Avant :     I have been to many TeX Mex places in my life and was really disappointed in the place. The service 
Après :     ['place', 'life', 'disappoint', 'place', 'service', 'bland', 'worth', 'try', 'give_star']

Avant :     Was great about 7 years ago.
But the last 3 times I have gone the quality in their staff, food, and 
Après :     ['year', 'time', 'quality', 'staff', 'food', 'atmosphere', 'decline', 'recommend', 'place', 'suggest']

Avant :     They've lost my business over parking. Tiny lot with the spaces closest to front door marked as vale
Après :     ['lose_business', 'parking_lot', 'space', 'door', 'mark', 'valet', 'make_sense', 'scream', 'desperation', 'way']

Avant :     I do not understood how this place has 4 stars. Service was good. However, the food really disappoin
Après :     ['understand', 'place', 'star', 'service', 'food', 'disappoint', 'guacamole', 'bland', 'rice_bean']

Avant :     We're becoming less and less enthusiastic about this place every time we visit.
The service is up to
Après :     ['become', 'place', 'time', 'visit', 'service', 'food', 'taste', 'value', 'seem', 'slip']

Avant :     I get this isn't Texas- I didn't expect a lot from the Mexican food in Florida. But wow, this place 
Après :     ['expect', 'lot', 'food', 'place', 'disappointment', 'hype', 'complaint', 'ask', 'onion', 'quesadilla']

Avant :     When we arrived and asked to be seated, we were told by the hostess that there would be a wait. When
Après :     ['arrive', 'ask', 'seat', 'tell', 'hostess', 'wait', 'ask', 'wait', 'hostess', 'snap']

Avant :     First time I've been here and I am not impressed. The amount of cilantro in the salsa masked any oth
Après :     ['time', 'impress', 'amount', 'cilantro', 'mask', 'flavourless', 'menu', 'description', 'lacking', 'alter']

Avant :     Poor service. When I go to a Mexican restaurant I expect real Mexican food not fancy dressed up food
Après :     ['service', 'restaurant', 'expect', 'food', 'dress', 'food', 'make', 'people', 'want', 'food']

Avant :     Absolutely nothing Tex-Mex about this location. They should drop the word "Tex-Mex" out of their voc
Après :     ['word', 'plane', 'ticket', 'fly', 'understand', 'pawn', 'look', 'rat', 'cover', 'sauce']

Avant :     Not the best place to eat, food was too salty, coke is mixed with water and water has too much chlor
Après :     ['place', 'eat', 'food', 'coke', 'mix', 'water', 'water', 'chlorine', 'wait', 'time']

Avant :     The food is okay. If you are having a ridiculous Mexican-food craving, it will get the job done.
My 
Après :     ['food', 'food', 'craving', 'job', 'problem', 'order', 'wrong', 'time', 'mistake', 'miss']

Avant :     Terrible service and no food left when it was over an hour and a half before close! The Asian server
Après :     ['service', 'food', 'leave', 'hour', 'server', 'give', 'food', 'refuse', 'tell', 'price']

Avant :     Terrible American Mexican restauraunt. Extremely bland food. Excessively uncomfortable seating.

Had
Après :     ['restauraunt', 'food', 'seat', 'fish_taco', 'food_poison', 'chip', 'hair', 'eat', 'pay', 'price']

Avant :     Was that Mexican??? I think not.  No taste, no spice, and not even close to Mexican!!!
  My dogs wou
Après :     ['think', 'taste', 'spice', 'dog', 'eat']

Avant :     Came here for lunch today since we were in the area. Highly disappointing. The food was pretty bland
Après :     ['come', 'lunch_today', 'area', 'food', 'sauce', 'taste', 'melt_cheese', 'wife', 'ground_beef', 'reason']

Avant :     I have tried this place a few times over the years and I have either been disappointed or found that
Après :     ['try', 'place', 'time', 'year', 'find', 'flavor', 'sauce', 'dish', 'time']

Avant :     The restaurant smelled like a toilet.  I couldn't stand it.  My daughter and I got the meals to go a
Après :     ['restaurant', 'smell', 'toilet', 'daughter', 'meal', 'put', 'box', 'eat', 'fish', 'know']

Avant :     Sub par sushi. We ordered 2 rolls and the tuna tower. All were pretty bad. Although the miso was pre
Après :     ['order', 'roll', 'tuna', 'tower', 'miso', 'time', 'refill', 'ice', 'water', 'consider']

Avant :     Horrible customer service. We came in and waited 15 min to place a to-go order. Not once did we get 
Après :     ['customer_service', 'come', 'wait', 'order', 'ask', 'help', 'need', 'leave', 'cause', 'lady']

Avant :     This restaurant is absolutely doomed to fail. It's had more menu changes and owners, than I shower.

Après :     ['restaurant', 'doom', 'fail', 'menu', 'change', 'owner', 'shower', 'food', 'foo', 'foo']

Avant :     What happened to the Pierre Lafond businesses? The food was terrible here. I never write Yelp review
Après :     ['happen', 'business', 'food', 'write', 'yelp_review', 'appal', 'space', 'restaurant', 'price', 'quality']

Avant :     An impressive menu but if you can't execute it, it doesn't make any difference. Believe me, my wife 
Après :     ['menu', 'execute', 'make', 'difference', 'believe', 'wife', 'eat', 'restaurant', 'fail', 'time']

Avant :     I've had hit or miss with the WB in the past 4-5 visits. For the price and being in Montecito I expe
Après :     ['hit', 'visit', 'price', 'expect', 'order', 'potato', 'broccoli', 'minute', 'dish', 'arrive']

Avant :     THE most disgusting hotel I have ever stayed at. Found food in the bed GROSS! Spoke with the front d
Après :     ['hotel', 'stay', 'find', 'food', 'bed', 'speak', 'desk', 'rude', 'try', 'hotel']

Avant :     You could not possibly have a worse room service policy than this place.   The room service call goe
Après :     ['room', 'service', 'policy', 'place', 'room', 'service', 'call', 'desk', 'help', 'send']

Avant :     Room service sent my order to another room.  I normally stay at the Westin when I am here for work a
Après :     ['room', 'service', 'send', 'order', 'room', 'stay', 'work', 'think', 'time', 'behave']

Avant :     I ordered a delivery to be sent to the hotel the day I arrived. I got an email from my company that 
Après :     ['order', 'delivery', 'send', 'hotel', 'day', 'arrive', 'email', 'company', 'package', 'deliver']

Avant :     I went here thinking the food should be good, but I was really disappointed in the service and reall
Après :     ['think', 'food', 'service', 'price', 'food', 'meal', 'fish', 'food_poisoning', 'try', 'contact']

Avant :     Hotel bar is incapable of proper mixology, the valet attendant seems blindly unaware of self parking
Après :     ['hotel', 'bar', 'mixology', 'valet', 'attendant', 'seem', 'self', 'parking', 'art', 'desk']

Avant :     First time there. For $12 I had a bowl of soup and a grilled ham and cheese. The corn chowder with b
Après :     ['time', 'grill_cheese', 'corn', 'chowder', 'bacon', 'sandwich', 'cheddar', 'quality', 'neon', 'crackerbarrel']

Avant :     I love your food but the fact that I called 40 freaking times trying to order and was sent straight 
Après :     ['love', 'food', 'fact', 'call', 'freaking', 'time', 'try', 'order', 'send', 'voicemail']

Avant :     Was not what I expected. No Asian ambiance, in fact not one Asian person working here. Felt more lik
Après :     ['expect', 'ambiance', 'fact', 'person', 'work', 'feel', 'bar', 'give', 'try', 'daughter']

Avant :     I really wanted to like this place! I was looking forward to eating here for a long time. Finally de
Après :     ['want', 'place', 'look', 'eat', 'time', 'decide', 'pull', 'trigger', 'see', 'menu']

Avant :     I went here with my spouse and a friend. It's another one of those mid-town hipster places that's ki
Après :     ['spouse', 'friend', 'town', 'place', 'overrate', 'expect', 'pay', 'dish', 'amount', 'food']

Avant :     The bartender (guy with trucker hat and beard) said to me "you don't tip?" and stormed off while I t
Après :     ['bartender', 'trucker', 'say', 'tip', 'storm', 'try', 'apologize', 'pull', 'wallet', 'eat']

Avant :     The food was pretty expensive for the small portions. Also the music was way too loud.  Had to reall
Après :     ['food', 'portion', 'music', 'way', 'shout', 'order', 'food', 'conversation', 'music']

Avant :     This location is hit or miss. Ate here yesterday and it was dried up, crusty, barely warm. Drive pas
Après :     ['location', 'hit_miss', 'eat', 'yesterday', 'dry', 'crusty', 'drive', 'location']

Avant :     One of the slowest taco bells we've been to. Was not a one time thing either. Nobody seems in a hurr
Après :     ['bell', 'time', 'thing', 'seem', 'hurry', 'lot', 'people', 'wait', 'close', 'lobby']

Avant :     We made reservations for New years eve. Waited over an hour and never got seated. We gave our name a
Après :     ['make_reservation', 'year', 'eve', 'wait', 'hour', 'seat', 'give', 'name', 'dozen', 'time']

Avant :     My husband and I each ordered 3 regular roles, our bill came to about $40 with tax and a 20% tip. It
Après :     ['husband', 'order', 'role', 'bill', 'come', 'tax', 'tip', 'filling', 'music', 'make']

Avant :     Very disappointed with takeout this week.   We ordered chicken szechuan and found very little chicke
Après :     ['takeout', 'week', 'order', 'chicken', 'szechuan', 'find', 'chicken', 'name', 'carrot', 'szechuan']

Avant :     1 star because the quality of food is so incredibly low. My fiancé ordered hibachi food and it was b
Après :     ['quality', 'food', 'fiance', 'order', 'fry_rice', 'take', 'meat', 'cook', 'order', 'roll']

Avant :     Called to find out what hand pies were on offer. The person answering the phone decided that I wante
Après :     ['call', 'find', 'hand', 'pie', 'offer', 'person', 'answer_phone', 'decide', 'want', 'information']

Avant :     My wife I had been coming here since the restaurant was new. At first the owner was very friendly to
Après :     ['wife', 'come', 'restaurant', 'owner', 'visit', 'number', 'time', 'visit', 'sit', 'glare']

Avant :     Grouper Reuben was fishy and bland. Salad was iceberg lettuce with a few extras thrown in, also unre
Après :     ['salad', 'iceberg', 'throw', 'reason', 'return']

Avant :     Boo. Service is just ok. Food is terrible. Drinks are decent- IF- they have your preferred libation.
Après :     ['boo', 'service', 'food', 'drink', 'libation', 'play', 'room', 'kid', 'food', 'boo']

Avant :     Food sucked!  Frozen , Over processed , Bland,  Gross. Don't waste time or money !
Après :     ['food', 'suck', 'process', 'waste_time', 'money']

Avant :     The waitstaff were attentive and very nice! That is the only positive comment that I have for this e
Après :     ['comment', 'establishment', 'wait', 'fir', 'hour', 'celebrity', 'usher', 'wait', 'food', 'grit']

Avant :     Although the food is great, this place gets 1 star because of the incredibly long wait and disorgani
Après :     ['food', 'place', 'star', 'wait', 'disorganization', 'hostesse', 'system', 'people', 'door', 'hour']

Avant :     This establishment came highly recommended from a local. We decided to visit our last night in NOLA.
Après :     ['establishment', 'come', 'recommend', 'decide', 'visit', 'night', 'wait', 'hour', 'service', 'food']

Avant :     Horrible customer service!!! Came down for essence fest called several times showed the hostess when
Après :     ['customer_service', 'come', 'essence', 'call', 'time', 'show', 'hostess', 'pay', 'lyft', 'hostess']

Avant :     I never write reviews, but I felt compelled to do so today. I was here for Essence Fest and wanted t
Après :     ['write_review', 'feel', 'compel', 'today', 'essence', 'want', 'check', 'restaurant', 'town', 'wait']

Avant :     Not happy with service or meal. I ordered Bayou Red fish with Crawfish etouffe topping. There was no
Après :     ['service', 'meal', 'order', 'bayou', 'fish', 'crawfish', 'top', 'sauce', 'cream', 'sauce']

Avant :     Wow, I thought this Chuck E Cheese was actually ok however this place has really went down hill...


Après :     ['think', 'chuck_cheese', 'ok', 'place', 'hill', 'line', 'hang', 'door', 'wait', 'stand']

Avant :     Won't go back. Service was great, but the food was awful. All 6 in our party were disappointed. both
Après :     ['service', 'food', 'party', 'disappoint', 'chicken_parm', 'entree', 'sandwich', 'soggy', 'bun', 'fish_chip']

Avant :     Place is similar to Applebee's ... the food is alright and my stomach was bugging me for a while. I 
Après :     ['place', 'food', 'alright', 'stomach', 'bugging', 'come', 'time', 'see', 'feel', 'let']

Avant :     Stopped in for some late dinner and sat at the bar. The bartender was more interested in preparing t
Après :     ['stop', 'dinner', 'sit_bar', 'bartender', 'prepare', 'wait', 'food', 'special', 'live', 'springfield']

Avant :     I went there a few times the food was good. last time I went I was upset because. ... dishes and sil
Après :     ['time', 'food', 'time', 'dish', 'silverware', 'food', 'greasy', 'unappetizing', 'leave', 'view']

Avant :     I've been to Miller's Ale House on numerous occasions.  Today by far was the worst experience. 3 you
Après :     ['occasion', 'today', 'experience', 'lady', 'run', 'check', 'spend', 'time', 'gossip', 'look']

Avant :     Having the worst experience EVER right now..... I hate when servers e somebody and assume ..... I ti
Après :     ['experience', 'hate', 'server', 'assume', 'tip', 'service', 'crew', 'blogger', 'look', 'manager']

Avant :     Fajitas had barely any peppers.. zingers were room temp. Waitress took 35 mins between stops to the 
Après :     ['fajita', 'pepper', 'zinger', 'room_temp', 'waitress', 'take_min', 'stop', 'table', 'ask', 'tv']

Avant :     We live close by and wanted to try the place.  But as others have mentioned, our dining experience w
Après :     ['live', 'want', 'try', 'place', 'mention', 'dining_experience', 'noise_level', 'food', 'drink', 'wait']

Avant :     The root beer soda was the best part of the dinner. Loaded fries were unloaded. The fajitas were tot
Après :     ['beer', 'soda', 'part', 'dinner', 'load', 'fry', 'unload', 'fajita', 'burn', 'dinner']

Avant :     Will not be returning!!!!! went there with my son's for lunch one day and my food was terrible my so
Après :     ['return', 'day', 'food', 'son', 'say', 'try', 'son', 'wife', 'glass', 'food']

Avant :     First and last time. Will never eat here again. Food had no flavor whatsoever. I was with a party of
Après :     ['time', 'eat', 'food', 'flavor', 'party', 'none', 'care', 'food', 'order', 'look']

Avant :     when they opened, they showed promise. that was then, now is now. There was a hair in my soup, they 
Après :     ['open', 'show', 'promise', 'hair', 'soup', 'make', 'day', 'week', 'man', 'make']

Avant :     I personally do not have good memories of this place. It's the second time I visited the place and I
Après :     ['memory', 'place', 'time', 'visit', 'place', 'food', 'food', 'season', 'yesterday', 'hope']

Avant :     This is the second time i have been to a Miller's after the first disaster in Christiana, Delaware. 
Après :     ['time', 'give_chance', 'service', 'service', 'experience', 'food', 'potato', 'taste', 'server', 'bring']

Avant :     Look, if you like the standard sports bar and are ordering beer and wings, I guess its ok. Little am
Après :     ['look', 'sport_bar', 'order', 'beer', 'wing', 'guess', 'ambienance', 'none', 'charm', 'pinch']

Avant :     I had dinner here last night with my family. The appetizers were good. Then came our dinner, my daug
Après :     ['dinner', 'night', 'family', 'appetizer', 'come', 'dinner', 'daughter', 'order', 'burn', 'kitchen']

Avant :     Food was nothing special- nachos were pretty good but our entrees didn't have much flavor, burger es
Après :     ['food', 'nachos', 'entree', 'flavor', 'burger', 'part', 'service', 'server', 'asking', 'box']

Avant :     Went once, had to wait (no biggie) since it's fairly new establishment. Service was good but the foo
Après :     ['wait', 'biggie', 'establishment', 'service', 'food', 'average']

Avant :     Lovely neighborhood gem but worth a drive if you're not local. Nice decor. Clean. Comfortable. Excel
Après :     ['neighborhood', 'gem', 'drive', 'decor', 'menu', 'food', 'binty', 'server', 'binty', 'leave']

Avant :     The food and service was good, however, I had two different 20% off coupons and the owner would not 
Après :     ['food', 'service', 'coupon', 'owner', 'accept', 'reason', 'try', 'place', 'return']

Avant :     Food is good for an indo chinese place in the area. However, it feels slightly over priced when you 
Après :     ['food', 'indo', 'place', 'area', 'feel', 'price', 'factor', 'service', 'guy', 'take']

Avant :     The Nepali manager shamelessly makes a pinky promise that he cannot honor Groupon coupons on Fridays
Après :     ['manager', 'make', 'promise', 'honor', 'groupon', 'coupon', 'friday', 'weekend', 'end', 'customer_service']

Avant :     Ordered from Grub Hub.  Halfway there to pick it up when they call and tell me that the dish I order
Après :     ['order', 'pick', 'call', 'tell', 'dish', 'order', 'order', 'container', 'stretch', 'imagination']

Avant :     Have become increasingly unimpressed with the Asian food on Delmar. Got the chengdu spicy chicken wh
Après :     ['become', 'food', 'chicken', 'taste', 'chicken', 'fry', 'chicken', 'place', 'rice', 'come']

Avant :     I am sort of a sushi snob. 

I'm going to be honest. This was literally the worst sushi Ive ever had
Après :     ['tempura', 'pay', 'side', 'salad', 'spring', 'mix', 'romaine', 'iceberg', 'sliver', 'carrot']

Avant :     Stopped in for lunch a few weeks ago.  We ordered the 2-roll lunch special, but ended up getting bro
Après :     ['stop_lunch', 'week', 'order', 'roll', 'lunch', 'end', 'bring', 'roll', 'order', 'roll']

Avant :     This place use to be good but the last couple times I have ordered take out it has taken forever. Th
Après :     ['place', 'use', 'couple', 'time', 'order', 'take', 'take', 'seem', 'hill', 'seem']

Avant :     not impressed!..... the service was great but the pizza i ordered was not good. i love Stella and Tr
Après :     ['service', 'pizza', 'order', 'love', 'stella', 'trenos', 'pizza', 'wast', 'expect', 'type']

Avant :     I thought I would stop in for a drink and a pizza. Happy hour timeframe. Go to bar and order a sapph
Après :     ['thought', 'stop', 'drink', 'pizza', 'hour', 'timeframe', 'bar', 'order', 'sapphire', 'martini']

Avant :     Last night we are out with friends and though we would try a new Resturant. What a mistake, starting
Après :     ['night', 'friend', 'try', 'mistake', 'start', 'service', 'walk', 'people', 'confuse', 'know']

Avant :     Just returned from a disappointing brunch at osteria. The steak and eggs dish was a fatty piece of s
Après :     ['return', 'brunch', 'steak', 'egg', 'dish', 'piece', 'steak', 'hide', 'egg', 'bite']

Avant :     I went Osteria with my coworkers for a celebration dinner.  It was my very first time so I didn't kn
Après :     ['coworker', 'celebration', 'dinner', 'time', 'know', 'expect', 'service', 'seem', 'server', 'kyle']

Avant :     So far the service has not been good at all.  Here with a group of 9 and it took forever to order an
Après :     ['service', 'group', 'take', 'order', 'appetizer', 'drink', 'complain', 'service', 'pick', 'food']

Avant :     I was pretty excited that a Jimmy Johns finally opened in Plant City. The first time I came here eve
Après :     ['open', 'plant', 'city', 'time', 'come', 'happen', 'sandwich', 'visit', 'bit', 'walk']

Avant :     Sometimes they'll deliver to my job, sometimes they won't. I'd rather just not deal with them anymor
Après :     ['deliver', 'job', 'deal', 'give', 'business']

Avant :     Seven of us came to celebrate a family event-our waiter Rene was the best-sharp, witty and made us f
Après :     ['come', 'celebrate', 'family', 'event', 'waiter', 'witty', 'make', 'feel', 'family', 'food']

Avant :     I have tried nearly every Hilton chain hotel in the Nashville downtown area and am running out of op
Après :     ['try', 'chain', 'downtown', 'area', 'run', 'option', 'travel', 'spend', 'night', 'year']

Avant :     Not worth the 300+ a night they were charging.  When up the street to the Kempton Hotel for same pri
Après :     ['night', 'charge', 'street', 'price', 'stay', 'luxury']

Avant :     We booked 7 nights and were out after the first.  The lobby smelled and the room was old and outdate
Après :     ['book', 'night', 'lobby', 'smell', 'room', 'wall', 'light', 'cover', 'bed', 'room']

Avant :     This is the worst service I have had at a restaurant in Philadelphia. First, they charged myself and
Après :     ['service', 'restaurant', 'charge', 'rest', 'group', 'cover', 'proceed', 'seat', 'server', 'forget']

Avant :     My friends and I went here one time for margaritas, and we sat outside. We were charged a $5 cover, 
Après :     ['friend', 'time', 'margarita', 'sit', 'charge', 'cover', 'encounter', 'service', 'copa', 'drink']

Avant :     Tried ordering online. When I asked for topping suggestions the guy hung up on me. Ridiculous
Après :     ['try', 'order', 'ask', 'top', 'suggestion', 'guy', 'hang']

Avant :     This place has the worst service west of the Schuylkill and east of the Mississippi. Don't waste you
Après :     ['place', 'service', 'money']

Avant :     Please train your cook or get a new one. Third time now that i get take out and its all burned up. W
Après :     ['train', 'cook', 'time', 'take', 'burn', 'trash', 'time', 'tell', 'guy', 'take']

Avant :     I placed an order on GrubHub, which I do regularly, and I listed an alternate phone number under "sp
Après :     ['place', 'order', 'grubhub', 'list', 'phone_number', 'instruction', 'read', 'instruction', 'call', 'hour']

Avant :     This place SUCKS!!!!!!! It has definitely fallen off since back in the day. The wait staff set u up 
Après :     ['place', 'suck', 'fall', 'day', 'wait', 'staff', 'set', 'pay', 'money', 'inform']

Avant :     Thanks for ruining our day... A review of Copa Banana 40th and spruce. 
1. Walked in and waited 5-10
Après :     ['thank', 'ruin', 'day', 'review', 'walk', 'wait_min', 'seat', 'customer', 'tell', 'seat']

Avant :     Was going to go to Bridget Foys for lunch, but always wanted to try this place so I did, and I won't
Après :     ['bridget', 'foy', 'lunch', 'want', 'try', 'place', 'taste', 'nacho', 'nacho', 'chicken']

Avant :     They have really great customer service i just prefer the food on south street better
Après :     ['customer_service', 'prefer', 'food', 'street']

Avant :     The pina coladas are exceptionally weak, and taco bell will serve you more authentic Mexican. The bu
Après :     ['serve', 'look']

Avant :     I've never had problems sitting down, but my deliveries have never gone right.

Ordered online, gave
Après :     ['problem', 'sit', 'delivery', 'order', 'give', 'contact', 'number', 'hour', 'call', 'say']

Avant :     If all you want it a cheap margarita, go for it.  Otherwise, avoid it like the plague!  The food is 
Après :     ['want', 'margarita', 'avoid', 'plague', 'food', 'think', 'think', 'honor', 'coupon']

Avant :     This was my first visit to the University City location, I'm a big fan of the Copa on South Street. 
Après :     ['visit', 'university', 'city', 'location', 'fan', 'order', 'microbrew', 'veggie', 'burger', 'fry']

Avant :     This place has THE WORST delivery service ever.  I ordered several months ago and not only recived m
Après :     ['place', 'delivery', 'service', 'order', 'month', 'recive', 'food', 'hour', 'charge', 'food']

Avant :     Absolutely abysmal service. We went for lunch and the waitress literally forgot that we had ordered,
Après :     ['service', 'lunch', 'waitress', 'forget', 'order', 'come', 'table', 'order', 'minute', 'wait']

Avant :     After waiting for 40 minutes, we received our 2 meals (2 sandwiches), which were $32. I asked once a
Après :     ['wait_minute', 'receive', 'meal', 'sandwich', 'ask', 'meal', 'apology', 'tell', 'happen', 'read_review']

Avant :     The sandwiches they sell are good but when you find hair in the food after waiting an hour for deliv
Après :     ['sandwich', 'sell', 'find_hair', 'food', 'waiting_hour', 'delivery', 'need', 'work', 'cleanliness', 'speed']

Avant :     I have been in the back door of this place. It is a garbage pit. When they run out of shelfs,they us
Après :     ['door', 'place', 'garbage', 'pit', 'use', 'floor', 'lie', 'steal', 'delivery_guy', 'hide']

Avant :     I have spent the past 6 months or so eating breakfast here with some co-workers on Friday mornings. 
Après :     ['spend', 'month', 'eat', 'breakfast', 'worker', 'morning', 'food', 'portion', 'fill', 'variety']

Avant :     Inedible & FDA Beware! 

Le Saigon wins the #1 prize of being the most inconsiderate, rude, and unsa
Après :     ['beware', 'win', 'prize', 'inconsiderate', 'restaurant', 'line', 'produce', 'meat', 'ingredient', 'use']

Avant :     What the deuce?? I've never been to a vietnamese place that doesn't serve pho!...or vietnamese food 
Après :     ['deuce', 'place', 'serve', 'food', 'matter', 'soup', 'break', 'rice', 'dish', 'food']

Avant :     I have been to Le Saigon many times over the past five years. Never outstanding but good, predictabl
Après :     ['time', 'year', 'convenient', 'takeout', 'opening', 'container', 'notice', 'hair', 'container', 'bring']

Avant :     Came with my kids and a friend, my children were so thirsty. It took over 10 minutes for water, had 
Après :     ['come', 'kid', 'friend', 'child', 'take', 'minute', 'water', 'content', 'owner', 'server']

Avant :     I was disappointed with the food quality. I've been here twice and realized that the dishes were not
Après :     ['food', 'quality', 'realize', 'dish', 'pho', 'flavor', 'rice', 'dish', 'appetizer', 'influence']

Avant :     Everything was bland...everything. And the apps came after the meal.  The portions were small, and e
Après :     ['app', 'come', 'meal', 'portion', 'meal', 'overprice', 'storm', 'mediocrity']

Avant :     We went there for pho.  The broth was very bland and the garnish plate did not include any of the fr
Après :     ['broth', 'bland', 'plate', 'include', 'schleppe', 'center', 'soup']

Avant :     Le Saigon is... meh (exactly as Yelp says 2 stars denotes).  When we went there for dinner tonight, 
Après :     ['yelp', 'say', 'star', 'denote', 'dinner', 'tonight', 'customer', 'restaurant', 'time', 'order']

Avant :     trust me, don't waste your time and money to try it. it was the worst pho I ever had. the waitress w
Après :     ['trust', 'waste_time', 'money', 'try', 'pho', 'waitress', 'taste', 'btw', 'option', 'put']

Avant :     the 2 stars aren't for the food (a so-so banh mi sandwich) but because of the surly service I receiv
Après :     ['star', 'food', 'banh', 'sandwich', 'service', 'receive', 'excuse', 'bother', 'happen']

Avant :     Huge letdown.

Arrived on a Saturday afternoon and the place was completely dead.

Ordered the okino
Après :     ['letdown', 'arrive', 'afternoon', 'place', 'order', 'take_min', 'tend', 'table', 'food', 'come']

Avant :     Nice place besides the fact that i aged here. Ordered an appy got one of our mains before the appeti
Après :     ['place', 'fact', 'age', 'order', 'main', 'appetizer', 'take', 'chef', 'make', 'dish']

Avant :     I ordered to-go earlier today, half sandwich and side baked potato. The food was good but the croiss
Après :     ['order', 'today', 'half', 'sandwich', 'side', 'bake', 'potato', 'food', 'croissant', 'burn']

Avant :     I like to use uber eats but the draw back is you can't speak with the person that made your sandwich
Après :     ['use', 'uber_eat', 'draw', 'person', 'make', 'sandwich', 'club', 'sandwich', 'shop', 'make']

Avant :     Was thrilled with our toast being served hot. Few places manage to do that. However very uncomfortab
Après :     ['toast', 'serve', 'place', 'manage', 'booth', 'parking_lot', 'spot', 'reason', 'return']

Avant :     Just okay..very very small servings..bacon was 2 small strips, not much homefries, not much bang for
Après :     ['serving', 'bacon', 'strip', 'homefrie', 'syrup', 'takeout', 'order', 'waffle', 'lol']

Avant :     I've definitely had better...ordered samosas and also the chicken tikka masala..both were disappoint
Après :     ['order', 'samosa', 'chicken', 'masala', 'eating']

Avant :     I was here with 4 adults and 2 kids not satisfied with the food at all.very disappointed.
I will not
Après :     ['adult', 'kid', 'satisfy', 'food', 'impress']

Avant :     The only positive about this franchise location is how new it is. The food, while still pretty good,
Après :     ['franchise', 'location', 'food', 'standard', 'become', 'robin', 'restaurant', 'seat', 'service', 'end']

Avant :     The food was very salty food and cold when ir came out. The waitor could care less and provided poor
Après :     ['food', 'food', 'come', 'waitor', 'care', 'provide', 'service']

Avant :     I've been to both Red Robin restaurants in the Edmonton area many times; this is the first time at t
Après :     ['restaurant', 'time', 'time', 'sherwood', 'park', 'location', 'place', 'table', 'sit', 'table']

Avant :     Went here after Beer Fest to get a bite to eat.  We were sat immediately, but waited forever for our
Après :     ['beer', 'bite', 'eat', 'sit', 'wait', 'drink', 'club', 'soda', 'water', 'beere']

Avant :     Place is horrible. They make it look on the website like it is a made to order deli but we disappoin
Après :     ['place', 'make', 'look', 'website', 'make', 'order', 'deli', 'disappoint', 'morning', 'couple']

Avant :     This foodery is dingier than the 2nd street location, but closer to restaurants in CC (easier to sto
Après :     ['street', 'location', 'restaurant', 'stop', 'restaurant', 'space', 'crowd', 'store', 'claustrophobic', 'avoid']

Avant :     I love Pulp Fiction, I love the music, I love the text, I love the flashbacks...so what's the link w
Après :     ['love', 'pulp', 'fiction', 'love', 'music', 'love', 'text', 'love', 'flashback', 'link']

Avant :     I just expect more from a Wawa. It's not that it was bad, but the fact that I waited for almost 20 m
Après :     ['expect', 'fact', 'wait_minute', 'latte', 'matter', 'night']

Avant :     Very disappointing seem to be prepetully temporary closed. The excuse was maintained at first now wh
Après :     ['seem', 'close', 'excuse', 'maintain', 'heat']

Avant :     The food was decent tasting but came to us cold. We actually got our entrées first and then got our 
Après :     ['food', 'tasting', 'come', 'entree', 'appetizer', 'waitress', 'service', 'customer', 'friend', 'drink']

Avant :     The food at this Qdoba was standard, but the service was horrible!  There were three people behind t
Après :     ['service', 'people', 'counter', 'none', 'want', 'help', 'customer', 'line', 'keep', 'stand']

Avant :     The food was okay. The spam appetizer was the best part of our meal. I would recommend that. The chi
Après :     ['food', 'part', 'meal', 'recommend', 'chicken', 'chicken', 'sandwich', 'roll', 'potato', 'fry']

Avant :     We were really excited to try this place so we brought friends. All of had food poisoning later in t
Après :     ['excite', 'try', 'place', 'bring', 'friend', 'food_poisoning', 'afternoon', 'place', 'eat', 'know']

Avant :     As far as good service goes, we started at the bar and had good service with a friendly bartender. S
Après :     ['service', 'start', 'bar', 'service', 'bartender', 'move', 'table', 'experience', 'forget', 'finding']

Avant :     Walked in too get seated it was my family of 4 which means I have two kids under 5. My husband and I
Après :     ['walk', 'family', 'mean', 'kid', 'husband', 'try', 'eat', 'meaning', 'jam', 'restaurant']

Avant :     We came to the restaurant about 2 weeks after they opened.  We had the worst service, and the food w
Après :     ['come', 'restaurant', 'week', 'open', 'service', 'food', 'expect', 'order', 'salad', 'salmon']

Avant :     Took 40 minutes before I could flag down someone to get a beer, and was told I needed my server.
Got
Après :     ['take', 'minute', 'flag', 'beer', 'tell', 'need', 'server', 'beer', 'fill', 'service']

Avant :     All I really want to say is why even have a restaurant if your not even going to challenge yourself 
Après :     ['want', 'say', 'restaurant', 'challenge', 'quality', 'needless_say', 'order']

Avant :     If i could give 0 stars, I would. First, it took 2 hours and 15 minutes for them to even show up, an
Après :     ['give_star', 'take', 'hour', 'minute', 'show', 'call', 'see', 'hour', 'order', 'suppose']

Avant :     Extremely overpriced. $18 for a large Margherita might have been justified for a great tasting pizza
Après :     ['overprice', 'margherita', 'justified', 'taste', 'pizza', 'put', 'faith', 'turn', 'time', 'arrive']

Avant :     The service was good and the staff was polite, but the food was bland and lacked flavor. The drinks 
Après :     ['service', 'staff', 'food', 'bland', 'lack_flavor', 'drink', 'expect', 'chain', 'restaurant', 'look']

Avant :     So gross!!! Planned to eat here, arrived before our party so we sat for a drink at the bar. Michelad
Après :     ['plan', 'eat', 'arrive', 'party', 'sit', 'drink', 'bar', 'star', 'contemplating', 'menu']

Avant :     Shrimp Culichi was good but it's not something I would crave for. The worst horchata drink I've ever
Après :     ['crave', 'horchata', 'drink', 'think', 'restaurant', 'exchange', 'coke']

Avant :     Not really sure what all the hype is about...wasn't overly impressed with the food. I suppose if you
Après :     ['hype', 'food', 'suppose', 'beer', 'snob', 'appreciate', 'place', 'bar', 'cater', 'beer']

Avant :     Walked in for a pep and sausage pizza and I won't be back. I sat there for 45 minutes because they r
Après :     ['walk', 'pep', 'sausage', 'pizza', 'minute', 'run', 'reach', 'minute', 'ask', 'say']

Avant :     This was always and I do mean always my go to BBQ place. Not anymore after Friday night 01/27/2017. 
Après :     ['mean', 'bbq', 'place', 'night', 'spend', 'hospital', 'emergency', 'room', 'food_poisoning', 'eat']

Avant :     TERRIBLE FOOD TERRIBLE SERVICE! I never complain, but had to warn others...
The place looked nice, t
Après :     ['food', 'service', 'complain', 'warn', 'place', 'look', 'waiter', 'shove', 'meal', 'menu']

Avant :     Disappointment! The menu is very small & overpriced. My husband ordered steak tacos for $9 & they we
Après :     ['disappointment', 'menu', 'overprice', 'husband', 'order', 'steak', 'taco', 'meat', 'side', 'woman']

Avant :     Salad was full of brown wilted iceberg lettuce. The pizza was cold by the time I arrived home (picke
Après :     ['salad', 'iceberg', 'pizza', 'time', 'arrive', 'pick', 'way', 'product']

Avant :     Less than one star! This place lied and said we didn't answer the phone. It took 2hrs for them to te
Après :     ['star', 'place', 'lie', 'say', 'answer_phone', 'take', 'tell', 'use', 'location', 'manager']

Avant :     Could contend for the best thin in STL if they would give you an option to have something other than
Après :     ['contend', 'give', 'option', 'provel', 'cheese', 'come']

Avant :     After cancelling an order that had not arrived after 2 and a half hours and three follow up calls, I
Après :     ['cancel_order', 'arrive', 'hour', 'follow', 'call', 'decide', 'email', 'management', 'issue', 'week']

Avant :     Upon arrival all tables inside were dirty. Before ordering I used the restroom and it was out of toi
Après :     ['arrival', 'table', 'ordering', 'use_restroom', 'mom', 'ask', 'hand', 'stack', 'napkin', 'order']

Avant :     In St. Louis, so I have to try St. Louis style pizza.  The ads all claim best pizza in the city for 
Après :     ['try', 'style', 'pizza', 'ad', 'claim', 'pizza', 'city', 'year', 'taste', 'remind']

Avant :     This place is dumb. No wonder it's two stars.

From out of town and tried Imo's for the first time. 
Après :     ['place', 'wonder', 'star', 'town', 'try', 'imo', 'time', 'order', 'pepperoni', 'pizza']

Avant :     I watched a college basketball game here and had some fries. They were average but the game was all 
Après :     ['watch', 'college', 'basketball', 'game', 'fry', 'game', 'right', 'see', 'brewing', 'plant']

Avant :     Food is fine. The owner made a random homophobic comment about the two guys ordering in front of me 
Après :     ['food', 'owner', 'make', 'comment', 'guy', 'order', 'front', 'dude', 'hang', 'way']

Avant :     Restaurant is outdated, overpriced,  and mediocre. Getting by on previous history of good reviews.
Après :     ['restaurant', 'outdate', 'overprice', 'mediocre', 'history', 'review']

Avant :     I happen to like the atmosphere, but I have been three times and I've got to say that the food kinda
Après :     ['happen', 'atmosphere', 'time', 'say', 'food', 'suck', 'wait', 'staff']

Avant :     There are many better options in the area. The service has always been sub par, the pizza tastes lik
Après :     ['option', 'area', 'service', 'sub_par', 'pizza', 'taste_cardboard', 'price', 'increase', 'year', 'issue']

Avant :     Have been to this Spatola's  several times and I can recommend their cheese steaks which are served 
Après :     ['time', 'recommend', 'cheese_steak', 'serve', 'roll', 'come', 'share', 'disappoint', 'lettuce_tomato', 'pepper']

Avant :     I didn't really like my sandwich I got here. I got the jalapeño cheese bread and it was tasteless an
Après :     ['sandwich', 'jalapeno', 'cheese', 'bread', 'tasteless', 'tell', 'tomato', 'cucumber', 'mush', 'overripe']

Avant :     Very disappointed. It wasn't too long ago when this was an outstanding Subway. My husband and I have
Après :     ['subway', 'husband', 'travel', 'country', 'subway', 'come', 'become', 'couple', 'time', 'order']

Avant :     They didn't have several types of bread available. I'm stuck without food while my brother and fianc
Après :     ['type', 'bread', 'stuck', 'food', 'brother', 'fiance', 'eating', 'say', 'wait_minute', 'eat']

Avant :     Probably the worst BPs, low quality food and service. They definitely use hot dog water ice cubes.
Après :     ['bps', 'quality', 'food', 'service', 'use', 'dog', 'water', 'ice_cube']

Avant :     Go back do the dragons den!! This boston pizza should be revamped. Overcooked food, dirty and discus
Après :     ['dragon', 'revamp', 'food', 'discuss']

Avant :     Horrible experience with their take out / delivery service. Ordered more than 8 times and not once w
Après :     ['experience', 'take', 'delivery', 'service', 'order', 'time', 'order', 'experience', 'dining', 'mention']

Avant :     Con artists work here. I ordered chicken and rice, which they advertise 1 entree and one side for $4
Après :     ['artist', 'work', 'order', 'chicken', 'rice', 'advertise', 'side', 'pay', 'charge', 'change']

Avant :     Waiter brought me a plate with yellowish stream of food. I asked for a clean plate. He returned what
Après :     ['waiter', 'bring', 'plate', 'yellowish', 'stream', 'food', 'ask', 'plate', 'return', 'appear']

Avant :     Food wasn't bad. This place just showed its true colors as to why the franchise might be struggling.
Après :     ['food', 'place', 'show', 'color', 'franchise', 'struggle', 'server', 'fine', 'seem', 'know']

Avant :     Accompanied friends against my better judgment - big mistake.  Food poisoned!
Après :     ['friend', 'judgment', 'mistake', 'food_poison']

Avant :     Voorhees restaurant had a horrible musty smell that ruined my appetite. The only reason I stayed is 
Après :     ['voorhee', 'restaurant', 'musty', 'smell', 'ruin', 'appetite', 'reason', 'stay', 'group', 'walk']

Avant :     I ordered take-out again from this restaurant on Aug 07, 2018. The calamari appetizer was extremely 
Après :     ['order', 'take', 'restaurant', 'appetizer', 'container', 'fill', 'fry', 'crumb', 'fry', 'ring']

Avant :     Twenty Five minutes for a Jr. Cheeseburger Deluxe and Value Fry.  You go to be kidding me, just blew
Après :     ['minute', 'cheeseburger', 'deluxe', 'value', 'fry', 'kid', 'blow', 'lunch', 'piece']

Avant :     To start the floors were nasty. Then ordering, things were left off my order. After getting a cup, w
Après :     ['start', 'floor', 'order', 'thing', 'leave', 'order', 'cup', 'area', 'drink', 'ice']

Avant :     I've stopped by twice during lunch hour and they have had only one register open. This is not fast f
Après :     ['stop_lunch', 'hour', 'register', 'food', 'food', 'today', 'poster', 'sign', 'specialty', 'coffee']

Avant :     Maybe for a drink or a lounge, but then you'd have to chop off "grill" from their name before I'd gi
Après :     ['drink', 'lounge', 'name', 'give_star', 'food', 'service', 'lack', 'burger', 'leave', 'impression']

Avant :     I hate to do this.  My coworkers and I ate there this past Thursday.  The service was slow and horri
Après :     ['hate', 'coworker', 'eat', 'service', 'thing', 'top', 'burn', 'hamburger', 'understand', 'service']

Avant :     Probably made the bad decision of coming here for lunch. Looking at the reviews here, should have tr
Après :     ['make_decision', 'come', 'lunch', 'look', 'review', 'try', 'breakfast', 'figure', 'let_know', 'waste_money']

Avant :     I live nearby in New Orleans and have been to both Surreys locations multiple times. The food is del
Après :     ['live', 'surrey', 'location', 'customer_service', 'experience', 'today', 'seat', 'server', 'come', 'table']

Avant :     I want to love this place, but I have tried it twice and just can't give higher stars.  I have tried
Après :     ['want', 'love', 'place', 'try', 'give_star', 'try', 'crab', 'poach', 'egg', 'feel']

Avant :     Put my name on this list...25 minute wait. Me: "Can I order something to drink?"...pointing to the b
Après :     ['put', 'name', 'list', 'minute', 'wait', 'order', 'drink', 'point', 'bar', 'host']

Avant :     The blonde girl server was very rude and disrespectful. I asked her if there were any daily special 
Après :     ['girl', 'server', 'rude', 'disrespectful', 'ask', 'juice', 'say', 'server', 'tell', 'guest']

Avant :     My husband and I went for breakfast this morning. Major disappointment. After reading about Surrey's
Après :     ['husband', 'breakfast', 'morning', 'disappointment', 'read', 'guide', 'book', 'yelp_review', 'website', 'menu']

Avant :     Great food but the wait time is overrated!!! We were told that our wait time was 45 mins..  We waite
Après :     ['food', 'wait', 'time', 'tell', 'wait', 'time', 'min', 'wait', 'hrs', 'seat']

Avant :     Long waiting list on Monday for decent food and coffee but customer service had too many rules, such
Après :     ['waiting', 'list', 'food', 'coffee', 'customer_service', 'rule', 'seat', 'party', 'serve', 'coffee']

Avant :     I really had a wonderful experience at the Nashville location, and we found out that New Orleans had
Après :     ['experience', 'location', 'find', 'one', 'night', 'sit', 'person', 'greet', 'bar', 'see']

Avant :     To long of an unnecessary wait, especially when all your tables and areas are not filled.
Après :     ['wait', 'table', 'area', 'fill']

Avant :     horrible food! waited for my nachos that took forever!!!! when they came they were freezing cold eve
Après :     ['food', 'wait', 'nachos', 'take', 'come', 'freeze', 'chip', 'disappoint', 'wish', 'give_star']

Avant :     Loud. Crowded. Dirty. Bad Service. Extra charges were given to us. Wouldn't go again, but the games 
Après :     ['crowd', 'service', 'charge', 'give', 'game', 'fun', 'work', 'stole', 'credit_card']

Avant :     Seriously don't waste your time. We have a group of 18 and have been waiting for 1 hour and 33 min. 
Après :     ['waste_time', 'group', 'waiting_hour', 'min', 'place']

Avant :     This place is horrendous at best. I thought that this place was for adults but yet I felt like I wal
Après :     ['place', 'thought', 'place', 'adult', 'feel', 'walk', 'place', 'smell', 'port', 'potty']

Avant :     This is the WORST D&B I have ever visited. The restaurant was filthy, with napkins, food and other t
Après :     ['visit', 'restaurant', 'napkin', 'food', 'trash', 'floor', 'food', 'waitress', 'ignore', 'clean']

Avant :     Waited 20 minutes at the bar just to get a drink and gave up and left. The place was a mad house and
Après :     ['wait_minute', 'bar', 'drink', 'give', 'leave', 'place', 'house', 'stuff', 'see', 'place']

Avant :     This place really sucks to be honest. Been here ten minutes got cursed out twice didn't even get a d
Après :     ['place', 'suck', 'minute', 'curse', 'drink', 'order']

Avant :     What can I say.... I paid 10$ to park then waited over 20 minutes for a server. Finally after flaggi
Après :     ['say', 'pay', 'park', 'wait_minute', 'server', 'flag_waitress', 'manager', 'attention', 'inform', 'shift_change']

Avant :     I would give less than one star if I could. To start all the tables were dirty. Even the ones ready 
Après :     ['give_star', 'start', 'table', 'one', 'sit', 'service', 'bar', 'sit', 'table', 'server']

Avant :     SLOW EST BARTENDER EVER. Took 15 plus minutes each time, all night, at half capacity bar. Horrible
Après :     ['slow', 'bartender', 'take', 'minute', 'time', 'night', 'half', 'capacity', 'bar']

Avant :     OMG. I finally gave it a try and what a waste of my time! Me and my significant other decided to giv
Après :     ['give', 'try', 'waste_time', 'decide', 'give', 'break', 'look', 'house', 'hour', 'come']

Avant :     Would give a negative star if I could. Haven't had a good bar experience in about 4 attempts. Slow i
Après :     ['give_star', 'bar', 'experience', 'attempt', 'understatement', 'bartender', 'work', 'night', 'train', 'staff']

Avant :     Omg this was THE WORST EXPERIENCE. After waiting 2 HOURS, 1/2 of our food never came out and what di
Après :     ['experience', 'wait', 'hour', 'food', 'come', 'come', 'guacamole', 'friend', 'brown']

Avant :     If I could give this less than 1 star I would. The service here is unacceptable and they shouldn't b
Après :     ['give_star', 'service', 'allow', 'operate', 'buss', 'table', 'take', 'hour', 'food', 'waitress']

Avant :     Came here at 10pm to dine in. The hostess just stands around n don't care to seat anybody until you 
Après :     ['come', 'stand', 'care', 'seat', 'ask', 'waitress', 'take', 'order', 'food', 'place']

Avant :     But wait! Is it for adults right? Then why did I feel like I walked into a daycare? This place is te
Après :     ['wait', 'adult', 'feel', 'walk', 'daycare', 'place', 'feel', 'place', 'door', 'place']

Avant :     The wait list for this place is awful and really mismanaged.  Poor service by the hostess and staff 
Après :     ['wait', 'list', 'place', 'mismanage', 'service', 'hostess', 'staff', 'answer_phone', 'visit', 'place']

Avant :     HORRIBLE!!!! Please Please Please DO NOT EAT HERE! I have NEVER in my life been to a restaurant in t
Après :     ['eat', 'life', 'restaurant', 'city', 'service', 'service', 'food', 'city', 'pride', 'food']

Avant :     The service is nonexistent. There's a plethora of waitstaff but they're all congregated in one area 
Après :     ['congregate', 'area', 'socialize', 'assistance', 'throw']

Avant :     Have been to Dave & Buster's in other cities and were very impressed.  This one not so much.   Went 
Après :     ['city', 'impress', 'kid', 'friend', 'teenager', 'group', 'line', 'take', 'minute', 'pay']

Avant :     I'll start with positive stuff - games are awesome and are why you come to D&Bs. Really awesome game
Après :     ['start', 'stuff', 'game', 'come', 'game', 'work', 'variety', 'game', 'staff', 'guess']

Avant :     Possibly the worst service and food EVER at a restaurant. True - it was the college playoff game day
Après :     ['service', 'food', 'restaurant', 'college', 'playoff', 'game', 'day', 'wait', 'stadium', 'know']

Avant :     I was pleasantly surprised by the menu.  Very nice selection of food, fair prices and a nice staff. 
Après :     ['surprise', 'menu', 'selection', 'food', 'price', 'staff', 'location', 'pay', 'park', 'issue']

Avant :     Shut down, revamped, hire new people, and open back up for the dining area. Game area runs smooth wi
Après :     ['shut', 'revamp', 'hire_people', 'open', 'dining_area', 'game', 'area', 'run', 'problem', 'restaurant']

Avant :     If I could rate it a 0 on the customer service I received whole dining her I would!
Our "server/wait
Après :     ['rate', 'customer_service', 'receive', 'dining', 'server', 'waitress', 'service', 'trash', 'advice', 'eat']

Avant :     Horrible service took 30 mins to place a drink and food order and it wasn't even  pack. They just mo
Après :     ['service', 'take_min', 'place', 'drink', 'food', 'order', 'pack', 'move', 'food', 'look']

Avant :     Paid $10 to park. Waited 20 minutes at a table with no acknowledgement. Flagged down 2 waitresses th
Après :     ['pay', 'park', 'wait_minute', 'table', 'acknowledgement', 'flag_waitress', 'say', 'shift_change', 'minute', 'hold']

Avant :     Maybe it was just a bad day, but our recent experience and first time at the 29th street location wa
Après :     ['day', 'experience', 'time', 'location', 'disappointment', 'visit', 'street', 'location', 'waitress', 'food']

Avant :     Inspect your food before you put it in your mouth! Ordered the Spicy Tuna Roll last night and am now
Après :     ['inspect', 'food', 'put', 'mouth', 'order', 'tuna_roll', 'night', 'battle', 'case', 'food_poison']

Avant :     For $13 I ordered a chicken plate that came with one orange slice, the slightest bit of salad and ch
Après :     ['order', 'chicken', 'plate', 'come', 'bit', 'chicken', 'rice', 'mean', 'include']

Avant :     Used to come here cause it was cheap and relatively good... Not anymore. They raised their prices an
Après :     ['use', 'come', 'cause', 'raise_price', 'quality', 'food']

Avant :     Tried to sit outside but the speakers are blown and blasting static. I spent $18 on a   spider roll 
Après :     ['try', 'sit', 'speaker', 'blow', 'blast', 'static', 'spend', 'spider_roll', 'eel', 'avocado']

Avant :     This restaurant has really really bad service, and cooking very slowly, also very expensive, if you 
Après :     ['restaurant', 'service', 'cooking', 'fke', 'recommend', 'come']

Avant :     So nasty. The food is like...the crappiest sushi could be. I came because I was enticed by how cheap
Après :     ['food', 'crappiest', 'come', 'entice', 'omg', 'eat', 'piece', 'surprise', 'repulsion', 'imminent']

Avant :     We used to go here weekly. Last time I ordered takeout, there was a loooong hair in my roll. It gros
Après :     ['use', 'time', 'order', 'roll', 'gross']

Avant :     i was excited we got a pizza joint in roxborough...but for this lousy pizza, it's not worth it. it's
Après :     ['pizza', 'pizza', 'overprice', 'crust', 'wheat', 'pizza', 'expensive', 'feed', 'person', 'advertize']

Avant :     I got the gyro "platter" for lunch, which was dry, uninspired, and nothing like a deconstructed gyro
Après :     ['gyro', 'lunch', 'deconstruct', 'gyro', 'come', 'vegetable', 'look', 'poop', 'taste', 'way']

Avant :     The food is nothing special. I wanted to give it a chance but as soon as I realized they don't serve
Après :     ['food', 'want', 'give_chance', 'realize', 'serve', 'gyro', 'sandwich', 'lunch', 'walk', 'rice']

Avant :     I went to Zorba's with moderate hopes, however I was extremely disappointed. Our waitress was awful.
Après :     ['hope', 'waitress', 'wait_minute', 'seat', 'glass', 'water', 'disrespectful', 'order', 'bring', 'wine_glass']

Avant :     The nachos were seriously disgusting... Probably the grossest food I've had in a long time. The wait
Après :     ['food', 'time', 'waitress', 'attitude', 'return']

Avant :     This place is...meh. Went here for drinks after work with a few coworkers and there was no room for 
Après :     ['drink', 'work', 'coworker', 'room', 'group', 'end', 'sit', 'crowd', 'area', 'freeeeze']

Avant :     After trying to talk Thai with Chef & waitress so I tried it here but
come out super...disappointed 
Après :     ['try', 'talk', 'waitress', 'try', 'come', 'menu', 'variety', 'noodle', 'style', 'choose']

Avant :     Colorful atmosphere (literally) that's not favorable. Takeout, though possible, doesn't seem ideal b
Après :     ['atmosphere', 'takeout', 'seem', 'organization', 'leave', 'believe', 'cook', 'chicken', 'fish', 'replace']

Avant :     The decor was nice and the service was prompt.  Sadly, the dishes lacked flavor and the desert was t
Après :     ['service', 'prompt', 'dish', 'lack_flavor', 'desert', 'freeze', 'kind', 'find', 'market', 'return']

Avant :     I looove Thai food best of all, so of course I was excited to check this place out and try some deli
Après :     ['food', 'course', 'excite', 'check', 'place', 'try', 'noodle', 'boy', 'disappoint', 'pad']

Avant :     Restaurant was only half full at 8:40pm Saturday night when we were seated.
After waiting 20 minutes
Après :     ['restaurant', 'half', 'pm', 'night', 'wait_minute', 'time', 'bring', 'menu', 'fill', 'water_glass']

Avant :     We had a coupon for this restaurant. After hearing good reviews, I went to try. So, we got in on a W
Après :     ['coupon', 'restaurant', 'hear', 'review', 'try', 'evening', 'crowd', 'waitress', 'see', 'kitchen']

Avant :     This is the worst place to order from . Bad Customer Service. Waited in line way to long  , nasty at
Après :     ['place', 'order', 'customer_service', 'wait_line', 'way', 'attitude']

Avant :     Eh, don't believe the hype on this place, its obvious most of these people have not been to DC and h
Après :     ['believe', 'hype', 'place', 'people', 'let', 'food', 'lack_flavor', 'service', 'decent', 'eat']

Avant :     the decor was ecclectic and fun and the service was pleasant, hence the second star.  the food was s
Après :     ['fun', 'service', 'pleasant', 'food', 'accoutrement', 'bland', 'food', 'look', 'try', 'place']

Avant :     The young lady working Saturday night on 7/3/16 was very arrogant, condescending and too busy talkin
Après :     ['lady', 'work', 'night', 'condescend', 'talk', 'patron', 'wait_minute', 'bar', 'wait', 'order']

Avant :     If you're feeling low and damn near suicidal, then this place will instantly make you feel better ab
Après :     ['feel', 'place', 'make', 'feel', 'life', 'service', 'lousy']

Avant :     NASTY NASTY NASTY!!!!!! Steer clear.  I've been told they've had trouble with the Board of Health on
Après :     ['steer', 'tell', 'trouble', 'occasion', 'live', 'cup_coffee', 'drive', 'fld', 'time', 'visit']

Avant :     Now im from New Orleans, but this McDonald's im good try to get my lady a vanilla ice cream cone and
Après :     ['try', 'ice_cream', 'cone', 'ask', 'put', 'say', 'order', 'pick', 'ask', 'cone']

Avant :     I have walked by this restaurant countless times, so sweetheart and I finally ventured in.  First ob
Après :     ['walk', 'restaurant', 'time', 'sweetheart', 'venture', 'observation', 'table', 'arrive', 'need', 'time']

Avant :     We came here twice for dinner. The first time there was a party of 12 or more, so it was very noisy,
Après :     ['come', 'dinner', 'time', 'party', 'food', 'good', 'decide', 'try', 'time', 'party']

Avant :     Just ok. Nothing special going on here except the service which is excellent! Food I'd mediocre at b
Après :     ['service', 'food']

Avant :     My sister and I decided to have dinner here last Friday. We definitely had high hopes! We left prett
Après :     ['sister', 'decide', 'dinner', 'hope', 'leave', 'service', 'food', 'mess', 'order', 'expect']

Avant :     Service is SLOW. Waitress was sleepy. Ignored my request for mild spices. Food arrived WAY too spice
Après :     ['service', 'ignore', 'request', 'spice', 'food', 'arrive', 'way', 'spicey', 'wake', 'waitress']

Avant :     This was the worst meal I ever had. The seafood combo was not cooked and tasted foul. I felt sick af
Après :     ['meal', 'seafood', 'combo', 'cook', 'taste', 'feel', 'recommend', 'pass', 'food', 'taste']

Avant :     Honestly I can't give feedback on the food, but tonight I did try try try to order carry-out from Ja
Après :     ['give', 'feedback', 'food', 'tonight', 'try', 'try', 'try', 'order', 'carry', 'jasmine']

Avant :     Nice people, but food is very sweet. We had the pad Thai and massaman curry, and couldn't stomach ei
Après :     ['people', 'food', 'stomach']

Avant :     My wife and I came in for two bowls of ramen. The restaurant was nearly empty and had 3 servers, and
Après :     ['wife', 'come', 'bowl', 'raman', 'restaurant', 'server', 'wait_minute', 'raman', 'check', 'waitress']

Avant :     I dislike writing bad review but this will have to do it. This is our second time giving them anothe
Après :     ['dislike', 'write_review', 'time', 'give_chance', 'issue', 'opening', 'sister', 'opening', 'wait', 'hour']

Avant :     Came here on an afternoon with my wife. The place was empty and the staff was standing around chit c
Après :     ['come', 'afternoon', 'wife', 'place', 'staff', 'stand', 'chit', 'chat', 'take_min', 'come']

Avant :     Food is good, service really needs improvement. It's very obvious there is minimal leadership here. 
Après :     ['food', 'service', 'need_improvement', 'leadership', 'thing', 'improve', 'restaurant', 'become', 'establish']

Avant :     I read a number of bad reviews before I went to Momo, but decided to try it anyway because we were i
Après :     ['read', 'number', 'review', 'momo', 'decide', 'try', 'area', 'place', 'keep', 'look']

Avant :     Went back a second time just because It's in a great location and I really wanted to like this place
Après :     ['time', 'location', 'want', 'place', 'noodle', 'cook', 'pork', 'way', 'fat', 'place']

Avant :     Server was prompt but food and drinks were nothing special. There are many more authentic Mexican re
Après :     ['server', 'food', 'drink', 'restaurant', 'city', 'try', 'place']

Avant :     Went to this dive last week. Service was horrendous . Waited an hour before our food was served. See
Après :     ['week', 'service', 'wait', 'hour', 'food', 'serve', 'seem', 'waiting', 'staff', 'handle']

Avant :     No offense, but I thought the food was pretty mediocre.  I really wanted to like this place, and I t
Après :     ['think', 'food', 'want', 'place', 'think', 'order', 'thing', 'taste', 'party', 'appreciate']

Avant :     Straight to the point, it's cheap, it tastes and feels cheap

The good: price, location, dessert (ed
Après :     ['point', 'taste', 'feel', 'price', 'location', 'dessert', 'food', 'item', 'bake', 'chicken']

Avant :     Two days here at the Eldorado with a group of 25 people. We have experienced the worse customer serv
Après :     ['day', 'eldorado', 'group', 'people', 'experience', 'customer_service', 'finish', 'brunch', 'badger', 'number']

Avant :     Friendly service but the food isn't worth eating. I tried to sample everything to try and find somet
Après :     ['service', 'food', 'eat', 'try', 'sample', 'try', 'find', 'fill', 'meal', 'cook']

Avant :     I've been to the Atlantis Buffet and for quite a while I've been spreading the word that it's the TO
Après :     ['buffet', 'spread_word', 'buffet', 'disappoint', 'visit', 'yelp', 'bell', 'yelp', 'weekend', 'price']

Avant :     I have to say we would not of usually ate here but my husband had so many comped buffets we figured 
Après :     ['say', 'ate', 'husband', 'buffet', 'figure', 'food', 'mean', 'see', 'variety', 'taste']

Avant :     Mediocre selection. Expectations were low anyways for Reno since I know Casino style buffets would b
Après :     ['selection', 'expectation', 'reno', 'casino', 'style', 'buffet', 'buffet', 'upgrade', 'expecting', 'wow']

Avant :     Can't believe I waited for 1h30min for the dinner! Definitely not a delightful thanksgiving night
Après :     ['believe', 'wait_min', 'dinner', 'thanksgiving', 'night']

Avant :     Found it on their website, wrote $3 off for reward card holder, nothing mentioned it's only for gold
Après :     ['find', 'website', 'write', 'reward', 'card', 'holder', 'mention', 'gold', 'member', 'coz']

Avant :     Took a road trip to Reno was looking forward to having a great Buffet dinner and friends have to me 
Après :     ['take', 'road_trip', 'look', 'buffet', 'dinner', 'friend', 'need', 'drive', 'save', 'appetite']

Avant :     This place used to be good. What happened?
I was so disappointing with the assortment of food and th
Après :     ['place', 'use', 'happen', 'assortment', 'food', 'quality', 'make', 'mayonnaise', 'base', 'stench']

Avant :     Me and my friend came to this buffet cause everybody spoke so while about it. We came for brunch and
Après :     ['friend', 'come', 'cause', 'speak', 'come', 'like', 'food', 'look', 'thought', 'rib']

Avant :     First off, OVERPRICED. Went on Thursday night Tec Mex night, and hardly any choices, chili rellanos 
Après :     ['overprice', 'night', 'night', 'choice', 'rellano', 'choice', 'buffet', 'spend_money']

Avant :     It seems good in theory, but nothing really tastes good. It's all very cafeteria type, bland without
Après :     ['seem', 'theory', 'taste', 'cafeteria', 'type', 'bland', 'authenticity', 'spice', 'region']

Avant :     Maybe, it was because of the Holidays but the food options were limited and disappointing despite th
Après :     ['holiday', 'food', 'option_limit', 'hype', 'hour_half', 'wait', 'come', 'skipping', 'buffet']

Avant :     Only gets two stars because the desserts were fab.  Everything else was just so-so.  We paid for pri
Après :     ['star', 'dessert', 'fab', 'pay', 'rib', 'brisket', 'ask', 'rib', 'spend', 'ton']

Avant :     Not impressed much...very average buffet. Wait too long, hostess service unorganized, table service 
Après :     ['impress', 'buffet', 'wait', 'hostess', 'service', 'table', 'service', 'food', 'selection', 'meh']

Avant :     Had better buffet in Reno for breakfast. They should really learn how to properly make an omelet. Ta
Après :     ['learn', 'make', 'omelet', 'take', 'lesson', 'cook', 'ingredient', 'put', 'egg', 'county']

Avant :     I heard good things about this place until I actually tried it myself. 

This place has a pretty sor
Après :     ['hear_thing', 'place', 'try', 'place', 'buffet', 'know', 'name', 'buffet', 'food', 'carving']

Avant :     Nope, not worth the 40 for my daughter and I. The food was lukewarm at best. The only highlight was 
Après :     ['daughter', 'food', 'server', 'thoughtful']

Avant :     Went here for lunch today. Waited an hour to get in. After waiting for our food another hour, we fou
Après :     ['lunch_today', 'wait', 'hour', 'waiting', 'food', 'hour', 'find', 'misplace', 'lunch', 'order']

Avant :     The food is expensive and subpar and the drinks are the size of a vegas bomb. Save your money.
Après :     ['food', 'drink', 'size', 'bomb', 'save_money']

Avant :     I wanted to really like this place, but it was very underwhelming. The service was very slow. It too
Après :     ['want', 'place', 'underwhelme', 'service_slow', 'take', 'minute', 'cup_coffee', 'ask', 'refill', 'say']

Avant :     Yes it is lunch time so expected to be busy. We were told a 70 minute wait for 2ppl. We opted to ord
Après :     ['lunch', 'time', 'expect', 'tell', 'minute', 'opt', 'order', 'take', 'hotel', 'figure']

Avant :     After being told the wait for a table would be over an hour we decided to just get some pastries and
Après :     ['tell', 'wait', 'table', 'hour', 'decide', 'pastry', 'coffee', 'wait_minute', 'latte', 'watch']

Avant :     I ordered yogurt with granola and two hard boiled eggs to-go. This is the tiny yogurt I received wit
Après :     ['order', 'boil_egg', 'receive', 'boil_egg']

Avant :     Waited 45 mins for a table. Then waited over an HoUR for our food. Come on!!!! Get it together 
Need
Après :     ['wait_min', 'table', 'wait', 'hour', 'food', 'come', 'need', 'staff', 'morning', 'wait']

Avant :     I've really tried to give this place a shot. Four times and I've been let down every. single. time. 
Après :     ['try', 'give', 'place', 'shoot', 'time', 'let', 'time', 'say', 'order', 'coffee']

Avant :     Friendly staff. Didn't like the food. I went for breakfast one morning and disappointed after hearin
Après :     ['staff', 'food', 'breakfast', 'morning', 'hearing', 'rave_review', 'people', 'know', 'give', 'place']

Avant :     Walked into Milk & Honey on Saturday, 3/24 around 1:30pm and asked what the wait time was for a tabl
Après :     ['walk', 'milk', 'honey', 'ask', 'wait', 'time', 'table', 'hostess', 'indicate', 'hour_half']

Avant :     Went here for lunch- when we first arrived, they could not seem to figure out who was going to be ou
Après :     ['lunch', 'arrive', 'seem', 'figure', 'server', 'take', 'hour', 'food', 'forgot_put', 'order']

Avant :     My husband was there visiting our son last week. He had the short rib and gnocchi. Next day on his w
Après :     ['husband', 'visit', 'son', 'week', 'gnocchi', 'day', 'way', 'begin', 'hellish', 'week']

Avant :     My friends and I waited an hour for our table, which was okay because it was a busy Sunday afternoon
Après :     ['friend', 'wait', 'hour', 'table', 'afternoon', 'proceed', 'wait', 'hour', 'order', 'food']

Avant :     Hand crafted high quality slow prepared food......they weren't kidding about that. Milk and honey? M
Après :     ['hand', 'craft', 'quality', 'prepare', 'food', 'kid', 'milk', 'honey', 'molasse', 'honey']

Avant :     Incredibly underwhelmed. Breakfast is my favorite meal of the day and I was really excited to finall
Après :     ['underwhelme', 'breakfast', 'meal', 'day', 'sit', 'eat', 'minute', 'wait', 'order', 'fry']

Avant :     Went for brunch and the food was great but that skinny tall brunette working made the whole experien
Après :     ['food', 'working', 'make', 'experience', 'service', 'customer', 'deal', 'visit', 'time', 'shame']

Avant :     Tried them twice , first time got lasagna and sent it back cause every bite was crunching cause it w
Après :     ['try', 'time', 'lasagna', 'send', 'cause', 'bite', 'crunch', 'cause', 'cock', 'time']

Avant :     Not a fan.  I don't care if it's tradition.  I don't care if Provel cheese is supposed to make this 
Après :     ['fan', 'care', 'tradition', 'care', 'provel', 'cheese', 'suppose', 'make', 'pizza_crust', 'person']

Avant :     Being from the East coast, this pizza was not edible at all. Tried both the thin and thicker styles 
Après :     ['coast', 'pizza', 'try', 'style', 'taste', 'pizza', 'microwave', 'ravioli', 'try', 'figure']

Avant :     What a disappointment. Things have changed since Easter 2015. The lovely lady who waited on customer
Après :     ['disappointment', 'thing', 'change', 'lady', 'wait', 'customer', 'chef', 'cook', 'food', 'patronize']

Avant :     The food was fresh but I don't like the idea of creating your own dish, there are too many sauces to
Après :     ['food', 'idea', 'create', 'dish', 'sauce', 'figure', 'make']

Avant :     This is the worst Mongolian bar be cue we have dined in. Poor selection and poor ingredients. Been t
Après :     ['bar', 'cue', 'dine', 'selection', 'ingredient', 'need', 'want', 'charge', 'dessert', 'terrible']

Avant :     This is the first low rating I have given and I have been writing reviews for some time. I met a dea
Après :     ['rating', 'give', 'write_review', 'time', 'meet_friend', 'dinner', 'tonight', 'look', 'evening', 'food']

Avant :     Greasy horrible breakfast food.   Low quality. Food.  Downhill since what it use to be  just cheap b
Après :     ['breakfast', 'food', 'quality', 'food', 'use', 'breakfast', 'food']

Avant :     Absolutely disgusting.  The philly cheesesteak omelette was filled with cold gross "meat" that was s
Après :     ['cheesesteak', 'omelette', 'fill', 'meat', 'chewy', 'omelette', 'cheese', 'biscuit', 'roll', 'noodle_soup']

Avant :     It was ok. Prices are good, food was so so. The toast was burnt and the omelettes were runny. The ve
Après :     ['price', 'food', 'toast', 'burn', 'omelette', 'runny', 'vegetable', 'omelette', 'chunk', 'dice']

Avant :     Inattentive  staff, blah  food, but at least their inexpensive. Not absolutely  horrible, but I won'
Après :     ['staff', 'blah', 'food', 'returning', 'starve', 'place', 'dale', 'mabry', 'close', 'order']

Avant :     You better have lots of time to burn.  We were on vacation so we didn't.  Food was okay, bacon was u
Après :     ['lot', 'time', 'burn', 'vacation', 'food', 'bacon', 'cook', 'hash_brown', 'cook', 'hour']

Avant :     Nice atmosphere but food is okay. If you want to experience good food and nice atmosphere Three Coin
Après :     ['atmosphere', 'food', 'want', 'experience', 'food', 'atmosphere', 'coin', 'option']

Avant :     This place is literally you get what you paid for.  It is a very inexpensive place so you can't expe
Après :     ['place', 'pay', 'place', 'expect', 'superb', 'meal', 'pancake', 'blah', 'make', 'pancake']

Avant :     DISGUSTING!!! Smells like a nursing home and burnt toast- good luck getting even moderately fast ser
Après :     ['smell', 'nursing', 'home', 'burn', 'toast', 'luck', 'service', 'tell', 'city', 'server']

Avant :     We were gonna eat next door at Neyow's next door per recommendations from a local but the wait was s
Après :     ['eat', 'door', 'door', 'recommendation', 'wait', 'pour', 'eat', 'food', 'know', 'difference']

Avant :     Pretty awkward experience here. Sat down an hour+ before they closed and the waiter requested cash t
Après :     ['experience', 'sit', 'hour', 'close', 'waiter', 'request', 'cash', 'tip', 'sit', 'close']

Avant :     Really wanted to like this based on the glowing reviews. But it took WAY too long and the food just 
Après :     ['want', 'base', 'glow', 'review', 'take', 'food', 'shrimp_grit', 'shrimp', 'andouille', 'compare']

Avant :     the crawfish sidney was tasty and the jambalaya's flavor was perfectly balanced, but there were a co
Après :     ['flavor', 'couple', 'thing', 'make', 'experience', 'service', 'wait_minute', 'water', 'drink', 'order']

Avant :     Food is good but nothing amazing - Wil our server was the best. It was the most unsettling meal ever
Après :     ['food', 'server', 'meal', 'place', 'staff', 'management', 'confuse', 'table', 'look', 'wait']

Avant :     For all the character and small neighborhood feel that this place has, I have to say the food was un
Après :     ['character', 'neighborhood', 'feel', 'place', 'say', 'food', 'underwhelming', 'order', 'egg', 'combo']

Avant :     Big warehouse, nicely decorated, loud and crowded ambience. I ordered some grilled chicken with chip
Après :     ['warehouse', 'decorate', 'crowd', 'ambience', 'order', 'grill', 'chipotle', 'sauce', 'rice_bean', 'chicken']

Avant :     Disappointing visit today.  We visit every Friday.  In and out in in 30 - 45 minutes.  Today, 90 min
Après :     ['visit', 'today', 'visit', 'minute', 'today', 'minute', 'take', 'hour', 'food', 'arrive']

Avant :     If you are looking for good Mexican food, this is not the place for you.  I ordered the chicken ench
Après :     ['look', 'food', 'place', 'order', 'chicken', 'appear', 'meat', 'throw', 'corn', 'tortilla']

Avant :     I' ve heard such great reviews but when I finally got the chance to try this chain, I was unimpresse
Après :     ['hear', 'review', 'chance', 'try', 'chain', 'salsa', 'taste', 'come', 'margarita', 'make']

Avant :     Debated on which Mexican restaurant to go to for dinner and decided on Don Pablo's since we hadn't b
Après :     ['debate', 'restaurant', 'dinner', 'decide', 'pablo', 'time', 'remember', 'service', 'food', 'chip']

Avant :     I went here last night after I read on yelp that it was open until 11pm. The bartender told me that 
Après :     ['night', 'read', 'yelp', 'bartender', 'tell', 'yelp', 'wrong', 'give', 'call', 'food']

Avant :     When this Don Pablo's first opened, I was into it.   It's designed to be very hip, with high ceiling
Après :     ['pablo', 'open', 'design', 'hip', 'ceiling', 'lot', 'light', 'lot', 'theme', 'year']

Avant :     The drinks and the customer care are the only redeeming factor to this place. Not an authentic Mexic
Après :     ['drink', 'customer', 'care', 'redeem', 'factor', 'place', 'food', 'order', 'chicken', 'enchilada']

Avant :     This was probably the worst service I've ever received. I came in tonight for a drink with friends. 
Après :     ['service', 'receive', 'come', 'tonight', 'drink', 'friend', 'server', 'come', 'table', 'take']

Avant :     We went on a Tuesday when tacos are $2 and margaritas are $5. Not bad right? I had three tacos (pork
Après :     ['taco', 'margarita', 'right', 'pork', 'chicken', 'beef', 'margarita', 'pork', 'wayyyy', 'sugar']

Avant :     Upon entering the restaurant I was looking forward to enjoying some good company, food and music but
Après :     ['enter', 'restaurant', 'look', 'enjoy', 'company', 'food', 'music', 'sit', 'let', 'enjoy']

Avant :     Literally the most HORRENDOUS service I have ever experienced in my life. The food is what you pay f
Après :     ['service', 'experience', 'life', 'food', 'pay_dollar', 'plate', 'world', 'friend', 'bite', 'screw']

Avant :     I shouldn't be too harsh since this place just opened a few days prior but the bar was understaffed 
Après :     ['place', 'open', 'day', 'bar', 'bartender', 'menu', 'drink', 'group', 'wait_minute', 'try']

Avant :     Food was alright, service was horrible. Still waiting for our check back 20 minutes after giving our
Après :     ['food', 'alright', 'service', 'wait', 'check', 'minute', 'give', 'waiter', 'card']

Avant :     Miserable.   Server was painfully slow.   We asked for a sugared rim,  got a salted one.   Chicken e
Après :     ['server', 'ask', 'sugar', 'rim', 'salt', 'chicken', 'overdone', 'salsa', 'smokey', 'come']

Avant :     This was the worst Mexican food I ever had in my life. Taco Bell is more appealing. I knew from the 
Après :     ['food', 'life', 'appeal', 'know', 'chip', 'leave', 'play', 'order', 'chicken', 'seem']

Avant :     I wish I could give zero stars, as many people before me have also suggested. The bartender on this 
Après :     ['wish', 'give_star', 'people', 'suggest', 'bartender', 'human', 'encounter', 'send', 'drink', 'order']

Avant :     This place is terrible. The manager was yelling at its employees in the middle of the  establishment
Après :     ['place', 'manager', 'yell', 'employee', 'establishment', 'food', 'rice', 'taste', 'leftover', 'night']

Avant :     What the actual f. I came from Houston, Texas. Looking to enjoy a nice margarita and some basic Mexi
Après :     ['come', 'look', 'enjoy', 'margarita', 'food', 'expectation', 'say', 'margarita', 'water', 'food']

Avant :     We thought we'd try the spot out since we've walked by often. Now kinda regretting it. Service was s
Après :     ['think', 'try', 'spot', 'walk', 'regret', 'service', 'food', 'charge', 'drink', 'find']

Avant :     This review is not coming from just one visit. This is on 3 separate occasions. Watered down drinks.
Après :     ['review', 'come', 'visit', 'occasion', 'water', 'drink', 'make', 'home', 'food', 'service']

Avant :     When I went to use my free app offer that yelp gave me no one knew what to do. I eventually got some
Après :     ['use', 'app', 'offer', 'yelp', 'give', 'knew', 'service', 'redeem', 'part', 'place']

Avant :     Not a great experience. Very mediocre Mexican food. Slow service but that was acceptable given the c
Après :     ['experience', 'food', 'service', 'give', 'crowd', 'people', 'try', 'eat', 'food', 'truck']

Avant :     Not really one to write bad reviews but this place is not good at all. Our server was super nice tho
Après :     ['write_review', 'place', 'server', 'salsa', 'taste', 'bbq_sauce', 'chip', 'taste', 'taco', 'bell']

Avant :     The service was great but the food was TERRIBLE. I had the driest chicken in my tacos and cant tell 
Après :     ['service', 'food', 'driest', 'chicken', 'taco', 'tell', 'corn', 'tortilla', 'defrost', 'chewy']

Avant :     So my girlfriend & I came in during the Manayunk "Stroll the Street" event. Cactus Only had 1 appeti
Après :     ['girlfriend', 'come', 'stroll', 'street', 'event', 'cactus', 'appetizer', 'cheese', 'dish', 'lactose']

Avant :     Took 10 minutes to get anyone's attention to actually buy or meal tonight - others in our group who 
Après :     ['take', 'minute', 'attention', 'buy', 'meal', 'tonight', 'group', 'food', 'halfway', 'meal']

Avant :     Food is good, but don't try to ever call in for takeout.  Every time they put you on hold and don't 
Après :     ['food', 'try', 'call', 'time', 'put_hold', 'come']

Avant :     The food was good, that's the only reason they got 2 stars! The hostess was less then enthusiastic a
Après :     ['food', 'reason_star', 'hostess', 'barley', 'greet', 'seat', 'waitress', 'check', 'serve', 'food']

Avant :     Food was good. I had the buffalo chicken soups, kids loved the grilled cheese and the bread it came 
Après :     ['food', 'buffalo', 'chicken', 'soup', 'kid', 'love', 'grill_cheese', 'bread', 'come', 'service']

Avant :     Beef is very average, pork is better but still not great. $$$ is high given the food / atmosphere. N
Après :     ['beef', 'pork', 'give', 'food', 'atmosphere']

Avant :     Great food... But the service is terrible. Waited 30 minutes for pulled pork. Just for them to come 
Après :     ['food', 'service', 'wait_minute', 'pull_pork', 'come', 'say', 'drop', 'order', 'floor', 'decide']

Avant :     So hopefully i can change this review...because the hostess was great but the first come first serve
Après :     ['change', 'review', 'hostess', 'come', 'serve', 'bar', 'seating_area', 'mess', 'table', 'dirty']

Avant :     Found out tonight they changed the recipe to the smoked wahoo dip. It was the best smoked fish dip a
Après :     ['find', 'tonight', 'change', 'recipe', 'smoke', 'smoke', 'fish', 'dip', 'order', 'tonight']

Avant :     Only place in the area that doesn't have happy hour. Bartender Said they were waiting on corporate t
Après :     ['area', 'hour', 'bartender', 'say', 'wait', 'tell', 'hour', 'bad', 'hour', 'offer']

Avant :     We decided to try this restaurant while visiting Bass Pro Shops. We both ordered the Fish & Chips an
Après :     ['decide', 'try', 'restaurant', 'visit', 'bass', 'shop', 'order', 'fish_chip', 'couple', 'beer']

Avant :     Just left from eating lunch. Very disappointed! We had to wait although more than half the place was
Après :     ['leave', 'eat', 'lunch', 'disappoint', 'wait', 'place', 'waitress', 'bread', 'middle', 'send']

Avant :     Not impressed at all. Food just not that good! Service was ok. Expensive!!! Ordered a Seafood sample
Après :     ['impress', 'food', 'service', 'order', 'seafood', 'sampler', 'appetizer', 'split', 'people', 'think']

Avant :     I experienced this restaurant for the first time today and I wan't impressed at all. The grouper was
Après :     ['restaurant', 'time', 'today', 'impress', 'broccoli', 'son', 'order', 'say', 'husband', 'order']

Avant :     How greasy are the eggrolls?  See photo.   Btw, who came up with the "egg" part..there's no egg in t
Après :     ['greasy', 'eggroll', 'see_photo', 'btw', 'come', 'egg', 'part', 'egg', 'question', 'restaurant']

Avant :     Salad was good.  Pizza is not good!  Boring, tasteless and just unsatisfying.  Very disappointed.  A
Après :     ['salad', 'pizza', 'unsatisfying', 'night', 'try']

Avant :     Extremely poor service, and the calzone we ordered was cold and uncooked in the middle, and the crus
Après :     ['service', 'calzone', 'order', 'crust', 'place', 'keep', 'coat', 'time', 'folk', 'know']

Avant :     I just paid 12.50 for a caprese sandwich, small soup, and a wee bag of chips... No drink. Are you se
Après :     ['pay', 'sandwich', 'soup', 'bag_chip', 'drink', 'sandwich', 'thing', 'time', 'seem', 'start']

Avant :     I ordered here through grubhub and after waiting almost an hour and a half I finally call the restau
Après :     ['order', 'wait', 'hour_half', 'call', 'restaurant', 'see', 'food', 'turn', 'forgot', 'order']

Avant :     Brutally awful on all accounts. Fish is extra not fresh and mealy as well. The rice is generally ser
Après :     ['account', 'fish', 'well', 'rice', 'serve', 'ice', 'order', 'eat']

Avant :     The food is okay for a take out place but they have poor business ethics. I ordered two rolls of sus
Après :     ['food', 'take', 'place', 'business', 'ethic', 'order', 'roll', 'wait', 'look', 'menu']

Avant :     I really want to check out snackbar... it's been on my radar for awhile.  everytime I drive by on 20
Après :     ['want', 'check', 'snackbar', 'radar', 'drive', 'look', 'com', 'website', 'say', 'open']

Avant :     I've been here before and they have always gotten my order correct. I came in today after 4pm and as
Après :     ['order', 'come', 'today', 'ask', 'flat', 'side', 'gator', 'tater', 'flat', 'wing']

Avant :     Overall, we were underwhelmed by this place. The food quality was mediocre, our onion petals appetiz
Après :     ['underwhelme', 'place', 'food', 'quality', 'onion', 'petal', 'appetizer', 'resemble', 'menu', 'photo']

Avant :     Food was great minus the fact that there was a "ring" in our chips. Could have been an ear ring, eye
Après :     ['food', 'fact', 'ring', 'chip', 'ear', 'ring', 'eyebrow', 'ring', 'show', 'manager']

Avant :     I completely understand a company trying to help the environment by not using straws. However, when 
Après :     ['understand', 'company', 'try', 'help', 'environment', 'use', 'straw', 'customer', 'ask', 'straw']

Avant :     Awful! Our fav Chinese restaurant down the street closed their business and we gave this place a try
Après :     ['close', 'business', 'give', 'place', 'try', 'meat', 'dish', 'order', 'portion', 'rangoon']

Avant :     Used to be good, now the Crab Rangoon is always way over cooked, even after repeatedly asking them t
Après :     ['use', 'crab_rangoon', 'cook', 'ask', 'look', 'counter', 'bring', 'self', 'eat']

Avant :     I live close by so I go there every so often. I've only eaten there once and had a burger. It was de
Après :     ['live', 'eat', 'burger', 'service', 'time', 'bar', 'drink', 'find', 'staff', 'location']

Avant :     Just walked in at 8:40 PM to find they were out of the bread I wanted and one other. They were clean
Après :     ['walk', 'find', 'bread', 'want', 'cleaning', 'cutting', 'board', 'remove', 'thank', 'fyi']

Avant :     Worst subway ever.  The staff is a joke, slow as molasses and unorganized.  They make your sandwich 
Après :     ['subway', 'staff', 'joke', 'molasse', 'make', 'sandwich', 'veggie', 'allot', 'ask', 'olive']

Avant :     Service and food was absolutely HORRIBLE. Waited in the drive thru for a half hour before I could ev
Après :     ['service', 'food', 'wait', 'drive', 'hour', 'roll', 'order', 'take', 'staff', 'serve']

Avant :     The food ranks 3 stars but the service ranks only 1/2 star, dragging the over-all star rating down t
Après :     ['food', 'rank', 'star', 'service', 'rank', 'drag', 'rating', 'sub', 'number', 'walk']

Avant :     2.5 stars...

I would like to give you a better rating because you're close to being something prett
Après :     ['star', 'like', 'give', 'rating', 'mention', 'atmosphere', 'fun', 'spot', 'food', 'flavor']

Avant :     The menu sounds impressive: there's the Wrap of Kahn and other cleverly named items that include pea
Après :     ['menu', 'sound', 'wrap', 'kahn', 'name', 'item', 'include', 'peanut', 'sauce', 'item']

Avant :     Not a great experience at this place. It's pretty basic Americanized sushi. A lot of people like tha
Après :     ['experience', 'place', 'sushi', 'lot', 'people', 'fish', 'quality', 'cut', 'crunchie', 'lot']

Avant :     I don't understand why all these new sushi restaurants keep popping up and using scuma to fill their
Après :     ['understand', 'restaurant', 'keep', 'pop', 'use', 'scuma', 'fill', 'roll', 'pay', 'roll']

Avant :     I won't be going back after noticing the wonton soup tasted like fish (how?) and the chicken was ext
Après :     ['notice', 'taste', 'fish', 'chicken', 'chew', 'leave', 'hour', 'food_poisoning', 'day', 'take']

Avant :     I've eaten good, mediocre, and terrible pad thai from at least 10 different restaurants and this is 
Après :     ['eat', 'pad', 'restaurant', 'pad', 'eat', 'life', 'include', 'pad_thai', 'make', 'pad_thai']

Avant :     This "steak" house had no NY Strip. They over peppered the Cesar salad and the mashed potatoes.  The
Après :     ['pepper', 'potato', 'ribeye', 'sirloin', 'lobster', 'enjoy', 'service', 'guy', 'amateur', 'establishment']

Avant :     Service was good. But food way too salty! Pork porterhouse was over cooked. Mashed potatoes were the
Après :     ['service', 'food', 'way', 'pork', 'porterhouse', 'cook', 'potato', 'spackle', 'salty']

Avant :     Arghh! Food poisoning. I had the pork porterhouse and fries with steamed veggies and a chocolate thu
Après :     ['food_poison', 'pork', 'porterhouse', 'fry', 'steam', 'veggie', 'chocolate', 'thunder', 'wife', 'fall']

Avant :     Atmosphere was nice and the fish tank was awesome. Service was bad and food was mediocre. The main d
Après :     ['atmosphere', 'fish_tank', 'service', 'food', 'dining_room', 'accommodate', 'staff', 'end', 'sit_bar', 'fish_taco']

Avant :     Nice atmosphere...terrible bland food...low moral staff....tourist spot.  As a local probably wouldn
Après :     ['atmosphere', 'bland', 'food', 'staff', 'tourist', 'spot', 'recommend']

Avant :     Popular venue because of location and association to Guy Harvey brand name. Food was below average, 
Après :     ['harvey', 'brand', 'name', 'food', 'drink', 'place', 'smell', 'use', 'menus', 'recommend']

Avant :     Disappointed. The bread was not fresh. I had the grilled seafood mix and it was all dry and overcook
Après :     ['bread', 'grill', 'seafood', 'mix', 'place', 'tourist', 'aquarium', 'draw', 'seafood']

Avant :     Went there for dinner with family and was not impressed what so ever. First of, the fish tank in the
Après :     ['dinner', 'family', 'impress', 'fish_tank', 'dining_room', 'make', 'seem', 'spoil', 'nassau', 'food']

Avant :     We went on a night that wasn't busy. The place was closing about an hour after we arrived. We felt r
Après :     ['night', 'place', 'closing', 'hour', 'arrive', 'feel_rush', 'hear', 'employee', 'talk', 'leave']

Avant :     The plate was hotter than my steak had to pay a dollar $1.87 for ice for crown on the rocks my wife 
Après :     ['plate', 'hotter', 'steak', 'pay_dollar', 'ice', 'crown', 'rock', 'wife', 'pay', 'ice']

Avant :     Waited over an hour after ordering for our food to arrive. And when it did, was cold. Service was ve
Après :     ['wait', 'hour', 'order', 'food', 'arrive', 'service', 'waitress', 'check', 'see', 'request']

Avant :     Go by the side to see the aquarium; the food is not worth it.
They seem to be understaffed; differen
Après :     ['side', 'see', 'food', 'seem', 'understaffe', 'people', 'seem', 'function', 'bring', 'opening']

Avant :     We went there on father's day the service is slow Sat there for over 15 min only got service when my
Après :     ['service', 'service', 'wife', 'complain', 'food', 'leave', 'check', 'book', 'home', 'bring']

Avant :     We went here for my wife's birthday, and I have to say that it is overrated and way expensive.  It i
Après :     ['birthday', 'say', 'way', 'set', 'waiter', 'fail', 'keep', 'drink', 'fill', 'fail']

Avant :     Atmosphere was great. Service was ok. Food was a different story. As far as flavor it was very good.
Après :     ['atmosphere', 'service', 'food', 'story', 'flavor', 'problem', 'find', 'look', 'piece', 'sack']

Avant :     Do not waste your time or $$ here. Went for Christmas dinner and waited over an hour for our food wh
Après :     ['waste_time', 'dinner', 'wait', 'hour', 'food', 'spend', 'meal', 'quality', 'service', 'waffle']

Avant :     I went to Rumfish within a week of it's opening. While the food was good, the service was awful. We 
Après :     ['week', 'open', 'food', 'service', 'wait_minute', 'food', 'restaurant', 'crowd', 'take', 'minute']

Avant :     The restaurant had a nice atmosphere upon entering. The fish tank was really cool. The wine list was
Après :     ['restaurant', 'atmosphere', 'enter', 'fish_tank', 'cool', 'wine_list', 'food', 'order', 'send', 'return']

Avant :     Bread great! Steak was not cooked to order at all, but it was comped after we said something. Cioppi
Après :     ['bread', 'steak', 'cook', 'order', 'compe', 'say', 'cioppino', 'sauce', 'kid', 'grill']

Avant :     Food was better during past visits service wasn't good.  I think the hype of the fish tank will keep
Après :     ['food', 'visit', 'service', 'think', 'hype', 'fish_tank', 'keep', 'business']

Avant :     First let me say Joey was an amazing waiter!!! The food blahhhhhh literally. It had very little seas
Après :     ['let', 'say', 'waiter', 'food', 'season', 'decor', 'underwhelming', 'grouper', 'picatta', 'swordfish']

Avant :     Husband and I stopped for two draft beers at the bar on a Saturday afternoon.  It was not very busy.
Après :     ['husband', 'stop', 'draft_beer', 'afternoon', 'busy', 'inquire', 'drink', 'bartender', 'make', 'tell']

Avant :     Pulled in Sunday for dinner. This would have been our 3rd visit. Was greeted by an attendant who sai
Après :     ['pull', 'dinner', 'rd', 'visit', 'greet', 'attendant', 'say', 'parking_lot', 'space', 'tell']

Avant :     The hostess staff is incredibly rude and not helpful at all. The food is average at best, vastly ove
Après :     ['staff', 'food', 'average', 'overprice', 'waitress', 'come', 'check', 'manager', 'come', 'check']

Avant :     Poorest management staff I have seen in a long time.  Rude people at the hostess station.  Listing o
Après :     ['management', 'staff', 'see', 'time', 'people', 'hostess_station', 'list', 'say', 'cash', 'accept']

Avant :     Uhm....no. I should not have to wait that long for Applebee's quality food. The rum flight is ok if 
Après :     ['wait', 'quality', 'food', 'rum', 'flight', 'expect', 'syrup', 'dollar', 'bill', 'write_home']

Avant :     Went here for dinner, got the crab claws, gumbo and jambalaya pasta. Was really disappointed in ever
Après :     ['dinner', 'crab', 'claw', 'pasta', 'disappoint', 'come', 'crab', 'claw', 'thing', 'gumbo']

Avant :     Very disappointed.... food was only ok.... waitress was not to be found.
There's way too many other 
Après :     ['food', 'ok', 'waitress', 'find', 'way', 'restaurant', 'settle', 'place']

Avant :     Yelp led us astray this time. Not even close to 4 stars. We went for dinner - alligator bites, crab 
Après :     ['lead', 'time', 'star', 'dinner', 'alligator', 'bite', 'crab', 'bread', 'etoufee', 'redfish']

Avant :     Awful food! Don't go to this place. Jambalaya was cold, looked like a fast food!!!! We ordered a non
Après :     ['food', 'place', 'cold', 'look', 'food', 'order', 'fish', 'come', 'hell', 'sauce']

Avant :     Came here because of the high rating on yelp but i have to disagree with everyone's rave reviews. I 
Après :     ['come', 'rating', 'yelp', 'disagree', 'rave_review', 'order', 'trio', 'gumbo', 'item', 'person']

Avant :     Service by Heather and hostess at time . 
I will write about the food which was great in another rev
Après :     ['time', 'write', 'food', 'review', 'balance', 'offset']

Avant :     Food is tasty but service really bad. They had some poor guy in charge of preparing the char broiled
Après :     ['food', 'service', 'guy', 'charge', 'prepare', 'char', 'broil', 'oyster', 'bar', 'tend']

Avant :     Overrated! There are so many great or just average places to eat in the city don't waste your time h
Après :     ['overrate', 'place', 'eat', 'city', 'waste_time', 'oyster', 'lunch', 'need', 'order', 'appetizer']

Avant :     Wait for one hour for food at lunch time around 12 pm. There is not much people in restaurant. No id
Après :     ['wait', 'hour', 'food', 'lunch', 'time', 'pm', 'people', 'restaurant', 'idea', 'kitchen']

Avant :     Waiting forever to get our food! The redfish I ordered tastes like died one month ago and buried in 
Après :     ['wait', 'food', 'redfish', 'order', 'taste', 'die', 'month', 'bury', 'freezer', 'rate']

Avant :     Had reservations and was seated quickly. Took 10 minutes for anyone to notice we were there. Don't b
Après :     ['reservation', 'seat', 'take', 'minute', 'notice', 'bother', 'order', 'drink', 'wait', 'bartender']

Avant :     We ordered a basic breakfast and we did not enjoy it. Add to that the service was painfully slow and
Après :     ['order', 'breakfast', 'enjoy', 'add', 'service', 'ask', 'ketchup', 'sauce', 'receive', 'restaurant']

Avant :     I don't like giving bad reviews but i have to mention that our experience here wasn't great. Visited
Après :     ['give', 'review', 'mention', 'experience', 'visit', 'dinner', 'shrimp_grit', 'clean', 'grit', 'dish']

Avant :     We are in New Orleans celebrating my daughters birthday and this was our first stop for dinner. The 
Après :     ['celebrate', 'daughter', 'birthday', 'stop', 'dinner', 'shrimp', 'fish', 'cook', 'wife', 'say']

Avant :     Service was mediocre... Food wasn't good... Was totally disappointed. I only enjoyed my cocktail.
Après :     ['service', 'food', 'good', 'disappoint', 'enjoy', 'cocktail']

Avant :     Upon arriving we noticed they had a pet skunk which we should have taken as an omen for how our meal
Après :     ['arrive', 'skunk', 'take', 'omen', 'meal', 'reach', 'hostess', 'tell', 'minute', 'minute']

Avant :     Terrible experience... Probably just a bad waiter, but the experience was horrible! Here for the wee
Après :     ['experience', 'waiter', 'experience', 'weekend', 'grab', 'night', 'time', 'shenanigan', 'begin', 'food']

Avant :     I really wasn't impressed... We missed the breakfast by minutes. So we ordered po boy shrimp and po 
Après :     ['impress', 'miss', 'breakfast', 'minute', 'order', 'boy', 'shrimp', 'boy', 'oyster', 'surprise']

Avant :     I was really excited to try this place , I saw it walking down canal street and planned to go by for
Après :     ['excite', 'try', 'place', 'see', 'walk', 'canal', 'plan', 'dinner', 'say', 'restaurant']

Avant :     Needed to wait, which is fine but outside in 90 degree heat with no water for 20 minutes. Not sure a
Après :     ['need', 'wait', 'degree', 'heat', 'water', 'minute', 'restaurant', 'worth']

Avant :     This place sucked.. double charged me, and gave super small proportion sizes, and didn't have any se
Après :     ['place', 'suck', 'charge', 'give', 'proportion', 'size', 'seafood_gumbo']

Avant :     This place sucks.  Service was horrible.  Took 20 minutes for our table to even see a waitress then 
Après :     ['place', 'suck', 'service', 'take', 'minute', 'table', 'see', 'waitress', 'coffee', 'shot']

Avant :     Hate to give bad review but this place was sooooo over priced...I got two silver dollar crab cakes f
Après :     ['hate', 'give', 'review', 'place', 'sooooo', 'price', 'dollar', 'crab_cake', 'people', 'gumbo']

Avant :     Nothing special. Eggs were not prepared as requested, biscuit was dry. Service was fine. $20 for "cl
Après :     ['egg', 'prepare', 'request', 'biscuit', 'service', 'breakfast', 'egg_bacon', 'grit', 'biscuit_gravy', 'soda']

Avant :     Poor management & poor service. I would never eat here again. I think the best think was the hostess
Après :     ['management', 'service', 'eat', 'think', 'think', 'hostess', 'manager', 'roll_eye', 'employee', 'manager']

Avant :     Maybe it was because we were there at 4:00, but the food was mediocre, at best. I had the shrimp & g
Après :     ['food', 'shrimp_grit', 'taste', 'leave', 'lunch', 'friend', 'gumbo', 'crab_cake', 'impress']

Avant :     Not good. Cold food, dishes not seasoned well. Mediocre, would not be back. Annoyed with YELP becaus
Après :     ['food', 'dish', 'season', 'back', 'yelp', 'need', 'comment']

Avant :     Had dinner there last nite. Not cooked to order. Jambalaya was nasty. Cajon chicken dry and overcook
Après :     ['dinner', 'order', 'cajon', 'chicken', 'part', 'reheat', 'spot', 'parade', 'send', 'service']

Avant :     Omg!  The prices on this utterly mediocre (and I'm being generous on that) food are ridiculous!!  $1
Après :     ['omg', 'price', 'food', 'kale', 'salad', 'cook', 'shrimp', 'dollar', 'burger', 'fry']

Avant :     When your waitress says "the kitchen is crashing and burning" you know this isn't going to go well. 
Après :     ['waitress', 'say', 'kitchen', 'crash', 'burning', 'husband', 'beer', 'sit', 'table', 'waitress']

Avant :     Second time I've been here since it opened.  This place is disappointing, period.  For a brewery/tap
Après :     ['time', 'open', 'place', 'period', 'brewery', 'tap', 'house', 'price', 'menu', 'demand']

Avant :     This used to be my favorite restaurant in the city, but a couple of months ago it started to deterio
Après :     ['use', 'restaurant', 'city', 'couple_month', 'start', 'deteriorate', 'start', 'visit', 'call', 'dish']

Avant :     Last Friday we met two friends at Abel's Authentic Mexican Cuisine located in Verdi, NV.  We enjoy M
Après :     ['meet_friend', 'cuisine', 'locate', 'enjoy', 'food', 'look', 'try', 'place', 'food', 'salsa']

Avant :     The service was horrible.  Ordered chicken tacos got beef tacos. Tacos were very salty. Server never
Après :     ['service', 'order', 'chicken', 'taco', 'beef', 'come', 'ask', 'food', 'asada', 'husband']

Avant :     Driving around downtown looking for food and happened upon Maynards. The atmosphere inside is very w
Après :     ['drive', 'downtown', 'look', 'food', 'happen', 'maynard', 'atmosphere', 'welcome', 'menu', 'provide']

Avant :     This is my third visit to Maynards. This is my first review of it.  My first visit was good. My seco
Après :     ['visit', 'maynard', 'review', 'visit', 'visit', 'time', 'arrive', 'time', 'reservation', 'wait_minute']

Avant :     Don't get the noodle bowl. It was excessively salty and almost half onions. Also, wasn't even in a b
Après :     ['noodle', 'bowl', 'half', 'onion', 'bowl', 'jerk', 'chicken', 'sandwich', 'ginger', 'sandwich']

Avant :     The Market is going downhill, recently I went and they were selling Costco muffins in the baked good
Après :     ['market', 'sell', 'costco', 'muffin', 'bake_good', 'write', 'complaint', 'start', 'carry', 'frog']

Avant :     Went here on Monday night. Ambiance is OK, pretty nice for an Amtrak station. The beer selection isn
Après :     ['night', 'ambiance', 'amtrak', 'station', 'beer_selection', 'tap', 'food', 'beer', 'pint', 'time']

Avant :     I heard so many great things about this place and really was optimistic, but was seriously disappoin
Après :     ['hear_thing', 'place', 'restaurant', 'week', 'course', 'meal', 'buck', 'charge', 'mushroom', 'wrap']

Avant :     I like the atmosphere in the restaurant but the food is terrible.  I was shocked at how bad the pizz
Après :     ['atmosphere', 'restaurant', 'food', 'shock', 'pizza']

Avant :     No no no no no no no no no no no no no 
We waited two hours just for our drink orders to be taken th
Après :     ['wait', 'hour', 'drink', 'order', 'take', 'hour', 'eat', 'food']

Avant :     Pizza came out barely warm!  Asked the waitress to make another one.  Manager brought back the pizza
Après :     ['pizza', 'come', 'ask', 'waitress', 'make', 'manager', 'bring', 'pizza', 'try', 'take']

Avant :     Throughly disgusted. On calm wednesday night my family and I went this mellow mush room ordered pizz
Après :     ['disgust', 'night', 'family', 'mush', 'room', 'order', 'pizza', 'wing', 'salad', 'ask']

Avant :     Very over rated. Pizza is VERY expensive and has very little taste. I used to run a pizza place. 25.
Après :     ['rate', 'pizza', 'taste', 'use', 'run', 'pizza', 'place', 'inch', 'pizza', 'suppose']

Avant :     Mellow Mushroom is FANTASTIC. This location is NOT. It is crowded, noisy, slow and has frankly disap
Après :     ['mushroom', 'location', 'crowd', 'service', 'trip', 'come', 'topping', 'waitperson', 'seem_care', 'pizza']

Avant :     Thought it was just ok. Nothing special in my opinion. I don't recommend the mushroom soup. I though
Après :     ['think', 'opinion', 'mushroom', 'soup', 'thought', 'whole', 'chunk', 'mushroom', 'soup', 'bland']

Avant :     I don't know why I keep giving this place a shot. Service is fine. Food is fair at best. I should lo
Après :     ['know', 'keep', 'give', 'place', 'shoot', 'service', 'food', 'look', 'time', 'think']

Avant :     Chili was watery with grissley meat.  Sent back and exchanged for chicken tortilla. Ice in soda was 
Après :     ['chili', 'grissley', 'meat', 'send', 'exchange', 'chicken', 'tortilla', 'ice', 'soda', 'mildew']

Avant :     We ate here tonight. The lettuce on my wife's salad was limp, the chicken was under cooked and the s
Après :     ['eat', 'tonight', 'lettuce', 'wife', 'salad', 'chicken', 'cook', 'salad', 'drench', 'salad_dress']

Avant :     Extremely dissatisfied. Server kept dissapearing. You should never leave a restaurant still hungry e
Après :     ['server', 'keep', 'dissapeare', 'leave', 'restaurant', 'order', 'soup', 'salad']

Avant :     So this place was great to come to..... Until me and my husband went just us to and I was pissed! We
Après :     ['place', 'come', 'husband', 'steak', 'stick', 'plate', 'food', 'garlic_bread', 'burn']

Avant :     Went into Chili's for lunch with my husband. I ordered the Margertha Salad it was really good, Howev
Après :     ['lunch', 'husband', 'order', 'margertha', 'salad', 'husband', 'order', 'arrive', 'start', 'pick']

Avant :     If you like airport terminal food then this is the restaurant for you. Fantastically underwhelmed by
Après :     ['airport', 'restaurant', 'underwhelme', 'food', 'service', 'place', 'stay_business']

Avant :     I debated between 2 and 3 stars for this. It's on a rare occasion that we visit a chain restaurant, 
Après :     ['debate', 'star', 'occasion', 'visit', 'chain', 'restaurant', 'time', 'finish', 'chore', 'eat']

Avant :     I don't really see what the big deal is. 

Pizza dough tasteless. Soup a bit oily. Cheese is pretty 
Après :     ['see', 'deal', 'pizza', 'soup', 'bit', 'cheese', 'order', 'lunch', 'menu', 'wine']

Avant :     Waited for our food for about an hour, had to flag down the waitress and ask her about it and she th
Après :     ['wait', 'food', 'hour', 'flag_waitress', 'ask', 'inform', 'lose', 'table', 'order', 'come']

Avant :     I'm here right now, listening to pretty offensive rap.  Ugly b*tches, hoes, F bombs....  very disapp
Après :     ['listen', 'rap', 'tche', 'hoe', 'bomb', 'disappoint', 'listen', 'sort', 'stuff', 'control']

Avant :     Complimented the pizza guy cause he looked like the drummer from The Roots. Personally, that's aweso
Après :     ['compliment', 'pizza', 'guy', 'cause', 'look', 'drummer', 'root', 'enjoy', 'guess', 'people']

Avant :     My pizza was so bad I had to order from somewhere else on the way home just to eat. There's barely a
Après :     ['pizza', 'order', 'way', 'home', 'eat', 'cheese', 'thing', 'order', 'cheese', 'guy']

Avant :     This was my first visit to the Broad Ripple Hotbox. I will not be going back! We paid $20.15 for a "
Après :     ['visit', 'hotbox', 'pay', 'crust', 'pizza', 'order', 'breadstick', 'pizza', 'size', 'place']

Avant :     Let's be totally honest here, this is drunk food, that happens to be pizza, happens to be hot and ha
Après :     ['let', 'food', 'happen', 'pizza', 'happen', 'happen', 'area', 'drinking', 'pizza', 'pepperoni']

Avant :     Will never go back. I ordered from hotbox every week for company lunch.  Today I the rudest girl I'v
Après :     ['order', 'hotbox', 'week', 'company', 'lunch_today', 'girl', 'meet', 'industry', 'order', 'say']

Avant :     The pizza isn't even that good and the people that work here are wannabe tough guys. I came here and
Après :     ['pizza', 'people_work', 'guy', 'come', 'pizza', 'minute', 'pizza', 'car', 'notice', 'cheese']

Avant :     RACIST: I live less than 2 miles away from this broad ripple location and they would not deliver to 
Après :     ['racist', 'live', 'mile', 'ripple', 'location', 'deliver', 'apartment', 'area', 'border', 'neighborhood']

Avant :     Tried having a pizza delivered and they told me they weren't going to because they were "expecting a
Après :     ['try', 'pizza', 'deliver', 'tell', 'expect', 'rush', 'ask', 'speak_manager', 'minute', 'wait']

Avant :     The pizza is consistently good, but unfortunately, the service at this location is consistently subp
Après :     ['pizza', 'service', 'location', 'point', 'give', 'estimate', 'pick', 'time', 'give', 'time']

Avant :     Well, now that the menu has expanded beyond the bar menu I'm less than impressed.
The food isn't fre
Après :     ['menu', 'expand', 'bar', 'menu', 'food', 'make', 'order', 'time', 'service', 'food']

Avant :     The food is "JUST OK"
 only thing here worth traveling for is the different beers on tap and good co
Après :     ['food', 'thing', 'travel', 'beer', 'tap', 'conversation', 'response', 'respond', 'review', 'stand']

Avant :     Really salty pretzels and I didn't like how the manager spoke to our waitress
Après :     ['pretzel', 'manager', 'speak']

Avant :     Blonde bartender spent more time on her phone than tending the bar. Food was ok. Not worth another v
Après :     ['bartender', 'spend', 'time', 'phone', 'tend', 'bar', 'food', 'visit']

Avant :     My buddy who eats meat got a burrito which was large, fine-- but as he commented, largely flavorless
Après :     ['buddy', 'eat', 'meat', 'fine', 'comment', 'flavorless', 'want', 'meat', 'throw', 'cook']

Avant :     Rude employees. Suggested I was lying about trying to place an online order online with cash as an o
Après :     ['employee', 'suggest', 'lie', 'try', 'place', 'order', 'cash', 'option', 'use', 'cash']

Avant :     When all your employees have ear buds, listening to Spotify, it's not a good look.  Maybe that's why
Après :     ['employee', 'ear', 'bud', 'listen', 'spotify', 'look', 'order']

Avant :     We were so excited to try farmhaus last night. Arrived at 5:50 pm, doors locked. Three people walkin
Après :     ['try', 'farmhaus', 'night', 'arrive', 'pm', 'door_lock', 'people', 'walk', 'bother', 'let']

Avant :     We came here with really high expectations after reading all the rave reviews here, but were surpris
Après :     ['come', 'expectation', 'read', 'rave_review', 'disappoint', 'food', 'biscuit', 'start', 'pirlou', 'dish']

Avant :     We decided to go for the tasters dinner which was sold well by the staff. The food was excellent, bi
Après :     ['decide', 'taster', 'dinner', 'sell', 'staff', 'food', 'bit', 'portion', 'feel', 'dollar']

Avant :     Came here for our anniversary.  Was super excited because it was so highly ranked.  Everything was j
Après :     ['come', 'anniversary', 'excite', 'rank', 'consider', 'price', 'pay', 'leave', 'lie', 'husband']

Avant :     We are from out of town, and saw Farmhaus on the James Beard nominee list and made a point to visit.
Après :     ['see', 'list', 'make', 'point', 'visit', 'prosciutto', 'bun', 'app', 'husband', 'pork']

Avant :     Food was OK... Not WOW or horrible
Service though... Hmm... We were there during happy hour and it w
Après :     ['food', 'service', 'hmm', 'hour', 'time', 'restaurant', 'thought', 'try', 'burger', 'hour']

Avant :     It's hard to even give this restaurant two stars. The only highlight of my meal was a cold Budweiser
Après :     ['give', 'restaurant', 'star', 'highlight', 'meal', 'budweiser', 'say', 'veggie', 'burger', 'attempt']

Avant :     looking at the reviews you would think this place is exceptional. I walked in to a super tiny hipste
Après :     ['look', 'review', 'think', 'place', 'walk', 'restaurant', 'staff', 'smile', 'menu', 'place']

Avant :     I love ramen. I make my own ramen at home. No joke. Ramen is a staple in our lives. I was not a fan 
Après :     ['love', 'raman', 'make', 'raman', 'home', 'joke', 'staple', 'live', 'fan', 'brisket']

Avant :     My initial excitement soon soured.  THERE WAS A HUGE ROACH IN MY FOOD!  How does one even handle tha
Après :     ['excitement', 'sour', 'roach', 'food', 'handle', 'situation', 'leave']

Avant :     Lied to, our wait time more than doubled. Had a child waiting as well. When I asked why it doubled t
Après :     ['lie', 'wait', 'time', 'double', 'child', 'wait', 'ask', 'double', 'hostess', 'ignore']

Avant :     Gross permutations of ramen. I would just go traditional with the ramen joint in China town. This is
Après :     ['permutation', 'raman', 'raman', 'town', 'come', 'raman', 'place', 'fukuoka', 'understand_hype', 'place']

Avant :     Good flavors but WAY too salty and pricey. And the portion at the new Cheu Noodle at Wholefoods is r
Après :     ['flavor', 'way', 'portion', 'noodle', 'wholefood', 'price']

Avant :     tried the vegan coconut curry noodles and was disappointed. the variety of vegetables, portion size,
Après :     ['try', 'noodle', 'disappoint', 'variety', 'vegetable', 'portion_size', 'flavor', 'thing', 'price']

Avant :     Do not quite understand the hype about this place... Ordered their famous dumplings in chili sauce, 
Après :     ['understand_hype', 'place', 'order', 'dumpling', 'chili', 'sauce', 'wing', 'raman', 'prefer', 'nom']

Avant :     My friend and I decided to check this place out one night after hearing many good things. Oh what a 
Après :     ['friend', 'decide', 'check', 'place', 'night', 'hear_thing', 'disappointment', 'turn', 'order', 'sesame']

Avant :     Not sure what all the hype is about. They succeed at being different, but not being flavorful. We ha
Après :     ['hype', 'succeed', 'dumpling', 'chili', 'oil', 'miso', 'raman', 'brisket', 'dumpling', 'part']

Avant :     Got the Brisket Kimchi ramen, the worst ramen I have ever had, tasted like watery kimchi soup with i
Après :     ['brisket', 'raman', 'taste', 'noodle', 'star', 'raman']

Avant :     Lovely atmosphere and our server was excessively friendly but the food was lacking.  I was with a fr
Après :     ['atmosphere', 'server', 'food', 'lack', 'friend', 'give', 'soba', 'noodle', 'tell', 'miso']

Avant :     My boyfriend and I decided to try all the ramen places in the city and compare them. After reading a
Après :     ['boyfriend', 'decide', 'try', 'raman', 'place', 'city', 'reading', 'dope', 'review', 'come']

Avant :     Go to a traditional ramen place instead! This place is overrated. I don't get how people love this p
Après :     ['raman', 'place', 'place', 'people', 'love', 'place', 'waste_money', 'time', 'miso', 'broth']

Avant :     i walked over at 645 on a sunday evening to pick up some noodles on my way home. 55 minutes later i 
Après :     ['walk', 'evening', 'pick', 'noodle', 'way', 'home', 'minute', 'leave', 'noodle', 'harass']

Avant :     Tried it and not impressed. Overpriced for the quality. Their broth simply lacks the flavor and rich
Après :     ['try', 'impress', 'overprice', 'quality', 'broth', 'lack_flavor', 'richness', 'describe', 'meal', 'include']

Avant :     Alas, another visit to our once MOST favorite donut shop was again a disappointment.  Apple fritters
Après :     ['visit', 'disappointment', 'fritter', 'apple', 'piece', 'chocolate', 'taste', 'day', 'frost', 'yeast']

Avant :     10 minimum on charge really!!! The donuts are sub-par the service is atrocious, the coffee is ehh. I
Après :     ['charge', 'donut', 'sub_par', 'service', 'coffee', 'ehh', 'time', 'take', 'trip', 'shop']

Avant :     Service is awful. I've been here several times and no matter how slow or how busy the restaurant is,
Après :     ['service', 'time', 'matter', 'restaurant', 'take', 'hour', 'eat', 'waitstaff', 'food', 'bottle']

Avant :     I Really really absolutely wanted to like this place. Maybe the kitchen was having a bad night? It w
Après :     ['want', 'place', 'kitchen', 'night', 'try', 'basic', 'waffle', 'fry', 'cook', 'flavorless']

Avant :     Went for lunch today(Sunday) and sat at the bar.  That was a big mistake since it was not that crowd
Après :     ['lunch_today', 'sit_bar', 'mistake', 'crowd', 'sat', 'table', 'bartender', 'bar', 'drink', 'order']

Avant :     Previously, I had rated this restaurant with four stars. However, after today's horrible experience,
Après :     ['rate', 'restaurant', 'star', 'today', 'experience', 'give_star', 'waitress', 'rest', 'experience', 'brunch']

Avant :     I had the bacon burger and the appetizer cheese fries.  Wow... those fries are a goopy, soggy mess. 
Après :     ['cheese', 'fry', 'wow', 'fry', 'goopy', 'mess', 'cheese', 'cup', 'ranch_dress', 'burger']

Avant :     I love the bacon cheese burger, but everytime I come here no matter how busy it is or even when it's
Après :     ['love', 'bacon', 'cheese', 'burger', 'come', 'crap', 'service', 'crap', 'attitude', 'server']

Avant :     My fiance and I have come here many times since we live close. The food is always good and lots of b
Après :     ['fiance', 'come', 'time', 'food', 'lot', 'beer', 'choice', 'service']

Avant :     I have had good food and one decent service experience here, but it's been a long time since either 
Après :     ['food', 'service', 'experience', 'time', 'thing', 'happen', 'arrive', 'order', 'appetizer', 'salad']

Avant :     It's been better. the food used to wow,, now it's ok. Loaded waffle fries half the size they used to
Après :     ['food', 'use', 'waffle', 'fry', 'size', 'use', 'one', 'serve', 'send', 'wait']

Avant :     The Nashvegas is one of my favorite burgers in Nashville. But what happened here? Not only was the b
Après :     ['burger', 'happen', 'bun', 'smash', 'paper', 'burger', 'medium', 'order', 'bbq_sauce', 'guess']

Avant :     Stop in to place a carryout order. Ordered the Smashy Melt (without onions) and Sweet potato fries. 
Après :     ['stop', 'place', 'carryout', 'order', 'order', 'melt', 'onion', 'potato', 'fry', 'check']

Avant :     Couldn't make a simple BLT&A with cheese, a menu item, correctly. Looked like it was thrown on the p
Après :     ['make', 'blt', 'cheese', 'menu_item', 'look', 'throw', 'plate', 'half', 'sandwich', 'miss']

Avant :     Only go to this location if you want cold food that takes 60min to come to your table, if you want o
Après :     ['location', 'want', 'food', 'take_min', 'come', 'table', 'want', 'party', 'member', 'food']

Avant :     I normally love M.L. Rose and the west location has such a nice atmosphere but the other day we went
Après :     ['love', 'rise', 'atmosphere', 'day', 'service', 'make', 'think', 'table', 'minute', 'server']

Avant :     Update. Today we really wanted to come and enjoy ourselves here. Service from our waitress was awful
Après :     ['update', 'today', 'want', 'come', 'enjoy', 'service', 'waitress', 'ask', 'want', 'refill_drink']

Avant :     This place has fallen off. Literally just went and sat at the bar and wasn't greeted nor acknowledge
Après :     ['place', 'fall', 'bar', 'greet', 'acknowledge', 'minute', 'leave', 'menu', 'stuff', 'doubt']

Avant :     I would give them a 5 star rating for their great beer selection, but ding them for not allowing chi
Après :     ['give_star', 'rating', 'beer_selection', 'ding', 'allow', 'child', 'neighborhood', 'bar', 'restaurant', 'pm']

Avant :     This McDonald's is by far the worst one I've ever encountered I ordered two apple pies and noticed t
Après :     ['encounter', 'order', 'apple_pie', 'notice', 'use', 'date', 'today', 'date', 'say', 'employee']

Avant :     Worst McDonald's ever! Super slow service, dirty restaurant, clueless employees, fries and nuggets a
Après :     ['mcdonald', 'service', 'restaurant', 'clueless', 'employee', 'fry', 'nugget', 'cook', 'file', 'complaint']

Avant :     This has been our go to Chinese restaurant for years, but tonight is the last time we will go there.
Après :     ['restaurant', 'year', 'tonight', 'time', 'meal', 'tonight', 'rib', 'order', 'tell', 'person']

Avant :     After raving about how wonderful Acme Oyster House on Iberville St was to our friends, we were very 
Après :     ['rave', 'friend', 'disappoint', 'food', 'harrah', 'location', 'arrive', 'afternoon', 'wait_line', 'see']

Avant :     My wife and I went there on memorial day weekend to the Acme oyster bar to experience the taste of N
Après :     ['weekend', 'oyster', 'bar', 'experience', 'taste', 'oyster', 'recommend', 'friend', 'try', 'order']

Avant :     The service is extremely slow. The bartender had no interest in serving a drink to me or a young lad
Après :     ['service', 'bartender', 'interest', 'serve', 'drink', 'lady', 'wait', 'bar', 'play', 'computer']

Avant :     Not much better than McDonnald's for service & atmosphere. Way overpriced and less that mediocre foo
Après :     ['service', 'atmosphere', 'way_overprice', 'food', 'waste', 'meal', 'place', 'price']

Avant :     Offers "All you can eat to go" but follows and tells you what food you can and cannot have without c
Après :     ['offer', 'eat', 'follow', 'tell', 'food', 'charge', 'pay', 'price', 'give_star']

Avant :     Not good at all, not even for a strip mall chinese buffet.  Everything looked so old we couldn't fin
Après :     ['buffet', 'look', 'find', 'make', 'comment']

Avant :     This place is TRASHHHHH! The food was old and NASTY! Didn't even taste like anything. Plus the front
Après :     ['place', 'trashhhhh', 'food', 'taste', 'desk', 'girl', 'attitude', 'waste', 'cash', 'mcdonald']

Avant :     I really want to still like this place.  However, it has not been the same since they moved location
Après :     ['want', 'place', 'move', 'location', 'try', 'number', 'time', 'think', 'grow', 'pain']

Avant :     Went here again and was disappointed even more this time. The banh cuon (rice dumpling with pork, mu
Après :     ['time', 'banh', 'cuon', 'rice', 'dumple', 'pork', 'mushroom', 'pork', 'loaf', 'fish']

Avant :     We're in town for the Super Bowl and, each year, try to eat at a local Vietnamese restaurant to comp
Après :     ['year', 'try', 'eat', 'restaurant', 'compare', 'home', 'review', 'pho', 'decide', 'order']

Avant :     Service, what service! He didn't even get my order right
The food was tasteless and I'm 5'6 110 poun
Après :     ['service', 'service', 'order', 'food', 'pound', 'bowl', 'noodle', 'bubble_tea', 'customer_service', 'understand']

Avant :     Maybe it was an off day for them at this establishment, maybe.  Upon arriving for lunch we we're imm
Après :     ['day', 'establishment', 'arrive', 'lunch', 'seat', 'server', 'take', 'drink', 'order', 'come']

Avant :     Not the best Vietnamese food I have tried. The pho was on the smaller side, a bit greasy and did not
Après :     ['food', 'try', 'pho', 'side', 'bit', 'taste', 'simmer', 'waitress', 'alright', 'recommend']

Avant :     Complicated ordering process. Pastries here. Hot line there. Menu items at the cashier (who was maki
Après :     ['ordering', 'process', 'pastry', 'line', 'menu_item', 'cashier', 'make', 'salad', 'minute', 'bacon']

Avant :     I'm not particularly a fan of the Century Hospitality restaurants and I hadn't been to a Deluxe BB l
Après :     ['fan', 'century', 'hospitality', 'restaurant', 'deluxe', 'location', 'year', 'decide', 'give_shot', 'week']

Avant :     Meh... I wasn't impressed a lot of hype not much substance. The burgers are over priced for what you
Après :     ['impress', 'lot', 'hype', 'substance', 'burger', 'price', 'dog', 'poutine', 'waitress', 'ball']

Avant :     NO options for dairy or egg allergies. Veggie burger has dairy and egg. Staff were actually RUDE whe
Après :     ['option', 'dairy', 'egg', 'allergie', 'egg', 'staff_rude', 'note', 'allergy', 'offer', 'make']

Avant :     Poor service and overpriced hookah. Flavors are from star buzz but charge about 30-50% more than mos
Après :     ['service', 'overprice', 'flavor', 'charge', 'place', 'charge', 'coal', 'burn', 'food', 'come']

Avant :     Its a pretty cool spot but it needs to be managed better. The spot was very cosy but the service was
Après :     ['spot', 'need', 'manage', 'spot', 'cosy', 'service_slow', 'order', 'come', 'check', 'need']

Avant :     Really cool spot but it needs new owners. I had to look for someone to get service and we still wait
Après :     ['cool', 'spot', 'need', 'owner', 'look', 'service', 'wait_min', 'dude', 'speak', 'ask']

Avant :     This place moved to 9303 50 street over 2 years ago.  For fun, I tried out the new location, which a
Après :     ['place', 'move', 'street', 'year', 'fun', 'try', 'location', 'step', 'location', 'location']

Avant :     As a first timer to this place I was was very confused walking in. No sign about waiting to be seate
Après :     ['timer', 'place', 'confuse', 'walk', 'sign', 'wait', 'process', 'take', 'sit', 'figure']

Avant :     Almost $30 for two people grabbing lunch??  I think not.  Next time I'm grabbing a $5 footlong from 
Après :     ['people', 'grab', 'lunch', 'think', 'time', 'grab', 'subway', 'chippewa', 'add', 'bellacino']

Avant :     Gotta tell you, Bellacinos used to be one of our faves, but this Reuben Grinder is pretty pathetic. 
Après :     ['tell', 'bellacino', 'use', 'fave', 'grinder', 'meat', 'sauerkraut', 'bread', 'cheese', 'skip']

Avant :     I ordered the breakfast burrito with bacon this morning.  Yuck.  Awful!  It tasted mostly of onions,
Après :     ['order', 'breakfast', 'taste', 'onion', 'cook', 'bacon', 'rice_bean', 'egg', 'overcome', 'onion']

Avant :     Because of the phenomenal ratings, my sister and I drove 30 minutes to get to Thai Place on 6/18 onl
Après :     ['rating', 'sister', 'drive', 'minute', 'walk', 'wait', 'bit', 'tell', 'close', 'pm']

Avant :     So dissapointed! I'm new to the area and looked up thai places and found this as the higest rated on
Après :     ['dissapointe', 'area', 'look', 'place', 'find', 'rate', 'hubby', 'try', 'lunch', 'food']

Avant :     Love the food...but hate the service.  You will literacy see yourself grow old waiting on your food.
Après :     ['love', 'food', 'hate', 'service', 'literacy', 'see', 'grow', 'waiting', 'food', 'keep']

Avant :     We were in St Pete on the weekend and decide to eat sushi. The worst sushi ever! Never go there agai
Après :     ['eat', 'order']

Avant :     Kids menu is edible for kids, but their tacos are terrible. Meat and fish tastes poor quality, old. 
Après :     ['kid', 'menu', 'kid', 'meat', 'fish', 'taste', 'quality', 'salsa', 'water', 'rice']

Avant :     Visiting Tampa on work trip and stopped in for a disappointing taco Tuesday. First, the service left
Après :     ['visit', 'work', 'trip', 'stop', 'service', 'leave_desire', 'include', 'reach', 'table', 'take']

Avant :     I was so excited for this place to open. The first time I ate here it wasn't bad, but I have been ba
Après :     ['place', 'time', 'eat', 'margarita', 'food', 'change', 'quality', 'better']

Avant :     Grave danger ladies and gentleman!!!!! I decided to enjoy taco Tuesday and try a new experience at h
Après :     ['danger', 'lady', 'gentleman', 'decide', 'enjoy', 'try', 'experience', 'taste', 'underside', 'break']

Avant :     Granted its a holiday ( valentines day) but my bf and I sat at the bar for 28 minutes with not so mu
Après :     ['grant', 'holiday', 'valentine', 'day', 'sit_bar', 'minute', 'look', 'bar', 'bartender', 'bartender']

Avant :     Went there for lunch today....Pablo Taco...No Bueno! The Queso Blanco was not Blanco...it was orange
Après :     ['lunch_today', 'pablo', 'charge', 'chip', 'tea', 'taste', 'smoke', 'chiptole', 'waste_time']

Avant :     Awful service, stood at host station for 10min before a single server helped us. Once our hostess ar
Après :     ['service', 'stand', 'host', 'station', 'server', 'help', 'hostess', 'artive', 'greet', 'want']

Avant :     Food is just ok. Blandish. Service was good though. Unlike most Tex Mex places, they charge you for 
Après :     ['food', 'ok', 'service', 'place', 'charge', 'chip_salsa', 'beef', 'use', 'corn', 'line']

Avant :     This place will last six months, tops. Slow service, terrible food, uncaring servers. It isn't that 
Après :     ['place', 'month', 'top', 'service', 'food', 'uncare', 'server', 'make', 'food', 'place']

Avant :     Service is slow, salsa is yummy, and happy hour specials are just drinks.  No free chips & salsa or 
Après :     ['service', 'salsa', 'hour', 'special', 'drink', 'chip', 'discount', 'food']

Avant :     Just moved to the area and wanted to enjoy a night out for some tacos. Hit this spot since we live n
Après :     ['move', 'area', 'want', 'enjoy', 'night', 'taco', 'hit', 'spot', 'waitress', 'world']

Avant :     The worst and I didn't even get to eat. I was standing for 5 min at the door and they finally told t
Après :     ['eat', 'stand', 'door', 'tell', 'people', 'wait', 'people', 'walk', 'say', 'tell']

Avant :     If this place is going to make it, they need an absolute overhaul. High expectations let down by jus
Après :     ['place', 'make', 'need', 'overhaul', 'expectation', 'let', 'channelside', 'tenant', 'seem_care', 'take']

Avant :     Don't eat here, just don't.  We had a coupon and my greed got the best of me but I was severely disa
Après :     ['eat', 'coupon', 'greed', 'disappoint', 'need', 'bulldoze']

Avant :     The Bueno Bowl is the only good plate in the menu. Unfortunately, the staff looks like they don't wa
Après :     ['plate', 'menu', 'staff', 'look', 'want', 'management', 'margarita', 'wet', 'willie', 'hooter']

Avant :     I live around the corner and thought this was going to be a fresh new restaurant in the failing dist
Après :     ['live', 'corner', 'thought', 'restaurant', 'fail', 'district', 'end', 'result', 'seem', 'gordo']

Avant :     This place is hot garbage. Never going back. Can't believe they let that dude Tristan walk. I felt a
Après :     ['place', 'garbage', 'believe', 'let', 'dude', 'tristan', 'walk', 'feel', 'hold', 'place']

Avant :     I had high hopes for this Mexican restaurant. Everything on website is a lie about authenticity. Wor
Après :     ['hope', 'restaurant', 'website', 'lie', 'authenticity', 'imitation', 'mexican', 'food', 'salad', 'look']

Avant :     Worst customer service ever! We came in and sat for about 15 mins until the server came by and then 
Après :     ['customer_service', 'come', 'min', 'server', 'come', 'take', 'order', 'wait_minute', 'wait', 'water']

Avant :     Terrible bar service.  Margaritas on rocks with no salt.  Took about 15 minutes to get our drinks/be
Après :     ['bar', 'service', 'rock', 'salt', 'take', 'minute', 'drink', 'wait', 'ice', 'bartender']

Avant :     The fish tacos were very bland and you can't call the quesadilla a quesadilla who knows what that wa
Après :     ['quesadilla', 'know', 'ask', 'napkin_silverware', 'cup', 'table', 'cute', 'dining_experience']

Avant :     Very disappointed in their taco salad. The meat tasted like canned chicken on top of romaine lettuce
Après :     ['disappoint', 'meat', 'taste', 'chicken', 'romaine', 'lettuce', 'lack_flavor', 'margarita', 'side', 'tortilla_chip']

Avant :     I wish I could give them negative stars but since 1 is the minimum I guess it will do. We sat down f
Après :     ['wish', 'give_star', 'guess', 'sit', 'minute', 'waiter', 'come', 'table', 'table', 'sit']

Avant :     Slow service on getting our food. Cooks fault not our servers. Loud. Food was tasteless and cold. Di
Après :     ['service', 'food', 'cook', 'fault', 'server', 'food', 'fact', 'pay', 'chip', 'restaurant']

Avant :     We won't be back. We got the Brussel sprouts and they tasted like pure salt. Our server sent them ba
Après :     ['brussel', 'sprout', 'taste', 'salt', 'server', 'send', 'batch', 'taste', 'husband', 'fry']

Avant :     The service seemed pretty rushed. The hostess did not provide good service. The manager was not frie
Après :     ['seem', 'rush', 'hostess', 'provide', 'service', 'manager', 'aioli', 'sauce', 'burger', 'request']

Avant :     Not a good first experience. Perhaps steak is their forte, but I went with the special, snapper and 
Après :     ['experience', 'steak', 'forte', 'snapper', 'mussel', 'fish', 'eat', 'mussel', 'salt', 'signature']

Avant :     If you are going to be charging $27 for any plate of food, even if it is a special, I expect not to 
Après :     ['charge', 'plate', 'food', 'expect', 'see', 'trash', 'tree', 'pile', 'dish', 'wait']

Avant :     Lunch today left a lot to be desired. We were expecting more. Our waiter Dave was very attentive. Th
Après :     ['lunch_today', 'leave', 'lot_desire', 'expect', 'waiter', 'burger', 'fry', 'brussel', 'sprout', 'steak']

Avant :     Pizza is salty and the cheese tastes like garbage.  When we order pizza it is deli v ered soggy.  Th
Après :     ['pizza', 'cheese', 'taste', 'garbage', 'order', 'pizza', 'deli', 'ere', 'people', 'answer_phone']

Avant :     I'm a regular customer and the pizza I ordered today is not the norm I'm used to there normally bett
Après :     ['customer', 'pizza', 'order', 'today', 'norm', 'use', 'consider', 'take', 'business', 'soprano']

Avant :     I do not recommend. Walking in we were not greeted asked only "how many". The customer service was h
Après :     ['recommend', 'walk', 'greet', 'ask', 'customer_service', 'forgot', 'drink', 'order', 'mop', 'floor']

Avant :     Dine-in gets 2 stars. Disappointing service & venue falls short. 

The food was ok; so if you were t
Après :     ['star', 'service', 'venue', 'fall', 'food', 'take', 'place', 'stars', 'order', 'taste']

Avant :     Dissapointing. Went towards the end of the day. Ordered chicken curry, garlic naan and chicken samos
Après :     ['dissapointe', 'end', 'day', 'order', 'take_bite', 'spit', 'oil', 'taste', 'oil', 'reuse']

Avant :     We came in for a Saturday lunch buffet. The food was cold and some of the dishes were watery.
Après :     ['come', 'food', 'dish', 'watery']

Avant :     If this spot plans to make it they need to have some mgt staff on hand during a busy holiday weekend
Après :     ['spot', 'plan', 'make', 'mgt', 'staff', 'hand', 'holiday', 'weekend', 'service', 'night']

Avant :     The cheese sticks were some of the best I've ever had. Deep dish sausage and pepperoni was pretty go
Après :     ['cheese', 'stick', 'dish', 'sausage', 'pepperoni', 'wait', 'horrid', 'wait', 'hour', 'tell']

Avant :     Our service wasn't the greatest. They told us it takes 35-40 for a pizza and we were in a little bit
Après :     ['service', 'tell', 'take', 'pizza', 'bit', 'rush', 'order', 'appetizer', 'take_min']

Avant :     I think 312 refers to the number of minutes you'll wait before getting your food.
Après :     ['think', 'refer', 'number', 'minute', 'wait', 'food']

Avant :     Food is good, service is TERRIBLE. We were there for 30 minutes before WE flagged down a waiter. The
Après :     ['food', 'service', 'minute', 'flag', 'waiter', 'ask', 'refill_drink', 'ask', 'spend', 'hour']

Avant :     Fuck this place. My moms 60th birthday and she wasn't served because she didn't have ID. She hot, bu
Après :     ['fuck', 'place', 'mom', 'serve']

Avant :     Don't even bother calling. They will automatically put you on hold and then forget about you. Not a 
Après :     ['bother', 'call', 'put_hold', 'forget', 'place', 'call', 'order', 'time']

Avant :     My wife and I visited for the first time. We got our menus and waited for 10+ minutes and nobody eve
Après :     ['wife', 'visit', 'time', 'menu', 'wait_minute', 'come', 'take', 'drink', 'order', 'people']

Avant :     Be prepared to wait. I mean for everything.  The service is lethargic and uninspired.  The bartender
Après :     ['wait', 'mean', 'service', 'bartender', 'look', 'lose', 'price', 'mean', 'way', 'beef']

Avant :     Let me start off my saying that the deep dish pizza was excellent.  I loved the sauce.  We also had 
Après :     ['let_start', 'say', 'dish', 'pizza', 'love', 'sauce', 'fry', 'blondie', 'recommend', 'call']

Avant :     Don't waste your money. The deep dish pizza taste more like lasagna than pizza. The crust is like ea
Après :     ['waste_money', 'dish', 'pizza', 'taste', 'pizza_crust', 'eat', 'rock', 'staff', 'take', 'minute']

Avant :     I don't know about you but when I am told that it will be 45 minutes for a pizza I expect it to be g
Après :     ['know', 'tell', 'minute', 'pizza', 'expect', 'expect', 'server', 'take', 'pizza', 'give']

Avant :     No stars would be appropriate. . Joey our server never came back to take our food order he walked ar
Après :     ['star', 'appropriate', 'joey', 'server', 'come', 'take', 'food', 'order', 'walk', 'lose']

Avant :     Never get the wings. Too expensive and undersized. Pizza is always good, but wings were very disappo
Après :     ['wing', 'pizza', 'wing', 'guess', 'need', 'learn', 'thing']

Avant :     Quoted 1 hour for carry out. Pizza took 1 hour 25 minutes. Has happened multiple times. Be ready for
Après :     ['quote', 'hour', 'carry', 'pizza', 'take', 'hour', 'minute', 'happen', 'time', 'wait']

Avant :     I want to at least give two stars but I'll never go back... the freshly squeezed lemonade tasted lik
Après :     ['want', 'give_star', 'squeeze', 'lemonade', 'taste', 'concentrate', 'stick', 'pizza', 'greasy', 'gag']

Avant :     Can't comment on the deep dish but honestly my hopes aren't high. We had the thin crust pizza and it
Après :     ['comment', 'dish', 'hope', 'crust', 'pizza', 'taste', 'pizza', 'remind', 'bit', 'school_cafeteria']

Avant :     First time here, probably the last. Ordered a cheese deep dish pizza---literally, no cheese on the p
Après :     ['time', 'order', 'cheese', 'dish', 'pizza', 'cheese', 'pizza', 'sprinkle', 'lol', 'order']

Avant :     It was one of the worst eating experiences we have had   The noise level in the restaurant
 Was into
Après :     ['eat', 'experience', 'noise_level', 'restaurant', 'tell', 'pizza', 'take_min', 'hour', 'call', 'make']

Avant :     If you have never had a real Chicago pizza this is just a knock off not the real deal. We waited  fo
Après :     ['knock', 'deal', 'wait_minute', 'pizza', 'come', 'burn', 'bottom', 'crust', 'sauce', 'spaghetti']

Avant :     Well, this was not good.  The arancini was good, but it was sitting in a soup of tomato paste sauce.
Après :     ['sitting', 'soup', 'tomato', 'paste', 'sauce', 'bread', 'pale', 'tomato', 'sit', 'dish']

Avant :     Been a few times and the food takes forever each time. I mean it's literally the first thing they wa
Après :     ['time', 'food', 'take', 'time', 'thing', 'warn', 'sit', 'dish', 'take', 'time']

Avant :     Have only gotten pizza here a few times.  The dough and cheese taste "off".  It's like the dough is 
Après :     ['pizza', 'time', 'cheese', 'taste', 'dough', 'sourdough', 'cheese', 'aroma', 'flavor', 'mozzarella']

Avant :     It has been a long time since I have left an establishment thinking the way I did last Wednesday. No
Après :     ['time', 'leave', 'establishment', 'thinking', 'way', 'price', 'night', 'tell', 'service', 'website']

Avant :     Morning crew is pretty good. They are quick and make all the drinks the correct way. Afternoon crew 
Après :     ['morning', 'crew', 'make', 'drink', 'way', 'afternoon', 'crew', 'thing', 'work', 'night']

Avant :     Horrible customer service from......no other than Alam the manager.  Then to top it off they didn't 
Après :     ['customer_service', 'top', 'put', 'lid', 'place', 'grab', 'coffee', 'turn', 'leave', 'course']

Avant :     On dec 4th went for dinner at earls in Sherwood Park. I have not been there for awhile as it is usua
Après :     ['dinner', 'earl', 'sherwood', 'park', 'renovation', 'see', 'use', 'end', 'material', 'stone']

Avant :     Terrible service , love the food from bob Evans but this location really need some improvement in th
Après :     ['service', 'love', 'food', 'location', 'need_improvement', 'service', 'family', 'server', 'offer', 'drink']

Avant :     Decent meal, fair price.  Service poor,  getting more coffee proved a chore. Waited ten minutes whil
Après :     ['meal', 'price', 'service', 'coffee', 'prove', 'chore', 'wait_minute', 'watch', 'waitress', 'day']

Avant :     This Bob Evans has consistently had issues with service.   I can't say how many times we've visited 
Après :     ['issue', 'service', 'say', 'time', 'visit', 'existent', 'service', 'visit', 'night', 'table']

Avant :     My husband and I had about 15 minutes to kill so we decided to go in and have a slice of pie & a dri
Après :     ['husband', 'minute', 'kill', 'decide', 'slice', 'pie', 'drink', 'problem', 'wait_minute', 'find']

Avant :     Bob Evans - Menu -
www.bobevans.com/Menu/Category/63/DeepCached
Our Deep-Dish Pastas are served with
Après :     ['menu', 'com', 'menu', 'category', 'deepcache', 'dish', 'pasta', 'serve', 'choice', 'crust']

Avant :     Disgusting, sloppy food presented wasn't fit to eat. What are they thinking? Apparently Not Italian.
Après :     ['food', 'present', 'eat', 'thinking', 'change', 'management']

Avant :     I placed an order online to create my own pizza.  I get a call from them minutes after I placed my o
Après :     ['place', 'order', 'create', 'pizza', 'call', 'minute', 'place', 'order', 'say', 'topping']

Avant :     The food left a disgusting taste in my mouth. Everything is fake meat dishes. Not sure why vegan pla
Après :     ['food', 'leave', 'taste', 'mouth', 'meat', 'dish', 'vegan', 'place', 'creativity', 'tofu']

Avant :     This location is an entirely differently run operation than the 18th st location. I was the only cus
Après :     ['location', 'run', 'operation', 'customer', 'people', 'register', 'make', 'eye_contact', 'ask', 'take']

Avant :     I really tried to love HipCity, I really truthfully did; however, every single time I come by to giv
Après :     ['try', 'love', 'hipcity', 'time', 'come', 'give_chance', 'purchase', 'groothie', 'coworker', 'deal']

Avant :     Wow have things changed at this location. I used to come here on a regular basis with a friend. I ha
Après :     ['thing', 'change', 'location', 'use', 'come', 'basis', 'friend', 'wait', 'lunch_today', 'surprise']

Avant :     Food is amazing but the ladies at the front need to work on their customer service. I've been in 3 t
Après :     ['food', 'lady', 'need', 'work', 'customer_service', 'time', 'week', 'question', 'time', 'feel']

Avant :     If you want a hamburger or steak this isn't your joint.

So going to Pita Jungle was not my choice b
Après :     ['want', 'hamburger', 'steak', 'pita', 'jungle', 'choice', 'law', 'choice', 'patio', 'sit']

Avant :     i wish i could have given it a zero or a negative.  my first and last experience was not pleasant at
Après :     ['wish', 'give', 'experience', 'pleasant', 'order', 'tabbouleh', 'come', 'imagine', 'surprise', 'find']

Avant :     Absolutely the worst meal I've had. The pizza was cold, the gyro meat looked like it was yesterday's
Après :     ['meal', 'pizza', 'gyro', 'meat', 'look', 'yesterday', 'offer', 'potato', 'drink', 'upscale']

Avant :     This is my first time here and will be my last. The service is absolutely horrible and it seems like
Après :     ['time', 'service', 'seem', 'staff', 'hate', 'say', 'thing', 'work', 'industry', 'expect']

Avant :     In follow up of my previous review of 5/14;  I still tell people about food poisoning from Norovirus
Après :     ['follow', 'review', 'tell', 'people', 'food_poison', 'noroviru', 'course', 'family', 'continue', 'tell']

Avant :     We love Pita Jungle typically, but this was the worst experience we have had. Food was way over salt
Après :     ['experience', 'food', 'way', 'salt', 'run', 'choice', 'seem', 'handle', 'party', 'business']

Avant :     the worst restaurant  experience. we were ignored by the waitress
Après :     ['restaurant', 'experience', 'ignore', 'waitress']

Avant :     I give this a 2 star review because the food was actually good. But we got there around 6pm. Our ord
Après :     ['give', 'review', 'food', 'pm', 'order', 'take', 'minute', 'server', 'ask', 'order']

Avant :     I got the chicken shawarma and it was so dry that it was not edible. The service was awful. No wi-fi
Après :     ['chicken', 'shawarma', 'service', 'fish', 'lemonade', 'sugar', 'star', 'sit', 'fire']

Avant :     I just returned from lunch with two friends at Pita Jungle. The food was OK, not spectacular, and th
Après :     ['return', 'lunch', 'friend', 'pita', 'service', 'friend', 'order', 'wrong', 'wait', 'server']

Avant :     terrible services here.  tried it twice and both times took 30 minutes to get my food and turtle pac
Après :     ['service', 'try', 'time', 'take', 'minute', 'food', 'turtle', 'pace', 'service', 'drink_refill']

Avant :     1) Unprofessional: The first thing that I had a problem with when visiting this location, is the fac
Après :     ['thing', 'problem', 'visit', 'location', 'fact', 'server', 'require', 'wear', 'server', 'wear']

Avant :     The first time I went to pita jungle was in Phoenix. They had an amazing jalapeño cilantro hummus. I
Après :     ['time', 'spice', 'time', 'northwest', 'salad', 'none', 'flavor', 'salad', 'taste', 'lettuce']

Avant :     Service sucked.  That really set the tone for the visit. The restaurant was half empty on a Friday, 
Après :     ['service', 'suck', 'set', 'tone', 'visit', 'restaurant', 'half', 'service', 'hear', 'salmon']

Avant :     just Meh... People go crazy over this place and I have to say the one's in the Phoenix area are bett
Après :     ['people', 'place', 'say', 'phoenix', 'area', 'food', 'think', 'olive_garden', 'food', 'think']

Avant :     Normally we enjoy this restaurant but not today. After waiting for nearly 30 minutes for our food, m
Après :     ['enjoy', 'restaurant', 'today', 'wait_minute', 'food', 'pizza', 'arrive', 'burn', 'waitress', 'offer']

Avant :     I was here on Monday and the manager was yelling at his employees and saying they needed to be faste
Après :     ['manager', 'yell', 'employee', 'say', 'need', 'need', 'run', 'order', 'want', 'server']

Avant :     Let me start by first saying there are many better dinning options in the area. I have visited this 
Après :     ['let_start', 'say', 'option', 'area', 'visit', 'place', 'time', 'eat', 'reservation', 'hour']

Avant :     Not so impressed.

Seared tuna was good, but just a bit weird atmosphere.
Après :     ['sear', 'tuna', 'bit', 'atmosphere']

Avant :     I made reservations and they had trouble seating us when we arrived. With a hungry 1 year old toddle
Après :     ['make_reservation', 'trouble', 'seat', 'arrive', 'year', 'toddler', 'staff', 'try', 'accommodate', 'wait']

Avant :     Have had several poor experiences here unfortunately. We used to really enjoy coming here. Have had 
Après :     ['experience', 'use', 'enjoy', 'come', 'service', 'visit', 'food', 'ok']

Avant :     Service was extremely slow, we were there over an hour before our meals arrived.  Food was okay but 
Après :     ['service', 'hour', 'meal', 'arrive', 'food', 'wait']

Avant :     Came here after a Bachelorette party. The place was filled with Sugar bowl Auburn football players g
Après :     ['come', 'bachelorette', 'party', 'place', 'fill', 'sugar', 'bowl', 'auburn', 'football', 'player']

Avant :     Another chicken place, reminded me of Popeyes. 
Nothing special. 
Counter chick was not happy on day
Après :     ['chicken', 'place', 'remind', 'popeyes', 'counter', 'chick', 'day']

Avant :     Where do I start... The prices were outrageous! But I guess it's expected if you're on Canal. The fi
Après :     ['start', 'price', 'guess', 'expect', 'canal', 'fish', 'skin', 'meat', 'batter', 'fry']

Avant :     This place is a Getto playground. Rude service, filthy tables , sauce bottles are sticky and disgust
Après :     ['place', 'rude', 'service', 'table', 'sauce', 'bottle', 'grab', 'employee', 'put', 'soapy']

Avant :     We have waited over one hour for our chicken. We ordered a 16 piece and I feel that yes, it's a larg
Après :     ['wait', 'hour', 'chicken', 'order', 'piece', 'feel', 'order', 'friend', 'receive', 'food']

Avant :     They know how to cook chicken.  It was juicy and tasty. I didn't get the Cajun spice, but it was goo
Après :     ['know', 'bean_rice', 'pork', 'flavor', 'biscuit', 'service', 'turn', 'chain', 'vegan_option']

Avant :     NO WAY
I know others like this place ,I'm sorry to say it was awful.
The soup was ok, not filled up,
Après :     ['way', 'know', 'place', 'say', 'soup', 'ok', 'fill', 'look', 'want', 'splurge']

Avant :     stopped at this restaurant with my wife and kids for dinner and while the food wasn't bad. we had to
Après :     ['stop', 'restaurant', 'wife', 'kid', 'dinner', 'food', 'hear', 'comment', 'waitress', 'ask']

Avant :     Went this past Friday night for a quick dinner with my daughter.  We split the cheese fries and Stea
Après :     ['night', 'dinner', 'daughter', 'split', 'cheese', 'fry', 'steak', 'onion', 'fry_soggy', 'burn']

Avant :     Would rate them higher if not for the people working behind the counter. The cashier acted as if she
Après :     ['rate', 'people_work', 'counter', 'cashier', 'act', 'favor', 'take', 'order', 'taco', 'experience']

Avant :     This was my favorite shrimp and fish taco place in philly. But they changed their taco bread and sau
Après :     ['shrimp', 'fish', 'place', 'change', 'bread', 'sauce', 'force', 'eat']

Avant :     The taste was decent but I would give it ZERO stars if I could  we ordered the nachos with beef and 
Après :     ['taste', 'give_star', 'order', 'beef', 'midnight', 'barf', 'decision']

Avant :     I was very disappointed by the tacos here. First off, I ordered fried mahi mahi tacos, and some how 
Après :     ['taco', 'order', 'fry', 'cashier', 'take', 'order', 'put', 'show', 'point', 'feel']

Avant :     Waited 20 minutes to just to have someone show up to take my order. He apologized and said our 2nd d
Après :     ['wait_minute', 'show', 'take', 'order', 'apologize', 'say', 'nd', 'drink', 'house', 'drink']

Avant :     Awful service- there was no line which should have been the first indication. Took over 15 minutes t
Après :     ['service', 'line', 'indication', 'take', 'minute', 'make', 'taco', 'shake_shack']

Avant :     I really wanted to like this place, based on the name, the concept and who can argue with fish tacos
Après :     ['want', 'place', 'base', 'name', 'concept', 'argue', 'fish_taco', 'try', 'convince', 'like']

Avant :     Cashiers with an attitude. Rude jerks! This place lacks warmth that you get in almost any other Mexi
Après :     ['cashier', 'attitude', 'jerk', 'place', 'lack', 'warmth', 'place', 'time', 'taco', 'come']

Avant :     All GF Except for carnitas. Pollo tacos come double wrapped. Not much flavor. Guacamole portion and 
Après :     ['come', 'wrap', 'flavor', 'guacamole', 'portion', 'chip']

Avant :     Went in during Happy Hour for some tacos and nachos. We had the chicken tacos. Menu says: Braised Ch
Après :     ['hour', 'taco', 'chicken', 'taco', 'menu', 'say', 'braise', 'chicken', 'avocado', 'corn']

Avant :     I know it had to be a mistake. First time here today around 2:30 The salsa was definitely at least a
Après :     ['know', 'mistake', 'time', 'today', 'salsa', 'day', 'keep', 'fridge', 'freezing', 'tomato']

Avant :     We ordered lunch from here last week and I expected a lot as I've heard great things, but was really
Après :     ['order', 'lunch', 'week', 'expect', 'lot', 'hear_thing', 'food', 'come', 'time', 'order']

Avant :     This place only receives 1 star because I have to give it a star in order to rate the location. This
Après :     ['place', 'receive', 'give_star', 'order', 'rate', 'location', 'wendy', 'wendy', 'time', 'love']

Avant :     Spending the day in Nawlin's ... got hungry and stopped in for a bite.  The wait was extremey long (
Après :     ['spending', 'stop', 'bite', 'wait_minute', 'everyplace', 'pack', 'pass', 'menu', 'wait_line', 'order']

Avant :     Tourist trap.  Bland & boring food with inattentive waiters.  The fried alligator was pretty decent.
Après :     ['tourist_trap', 'bland', 'food', 'waiter', 'fry', 'alligator', 'cocktail', 'make', 'sauce', 'bland']

Avant :     Avoid! Great location with dynamic view of Jackson Square, but it has nothing else going for it. Lac
Après :     ['avoid', 'location', 'view', 'food', 'service', 'local', 'eat', 'know', 'tourist', 'rip']

Avant :     Not that great. We went for breakfast. The drinks were fantastic but the food....not so much. Everyt
Après :     ['breakfast', 'drink', 'food', 'place', 'othet', 'place']

Avant :     Food was awful!!!!! Tarter sauce tasted old, gumbo tasted like air freshener, and even the salad was
Après :     ['food', 'tarter', 'sauce', 'taste', 'gumbo', 'taste', 'air', 'freshener', 'salad', 'pay']

Avant :     Dirty and gross. Stay clear. This was a friends choice for Sunday brunch. We got the last table for 
Après :     ['stay', 'friend', 'choice', 'brunch', 'table', 'tuck', 'atm', 'drink', 'serve', 'plastic_cup']

Avant :     Currently here. Took 15 minutes to get a cup of water. Our waitress is extremely rude and threw our 
Après :     ['take', 'minute', 'water', 'waitress', 'throw', 'drink', 'experience', 'ruin', 'food', 'come']

Avant :     Total tourist trap.  I had an oyster po-boy which was just - not very good. - I've had much better i
Après :     ['tourist_trap', 'oyster', 'po_boy', 'place', 'sister', 'bean_rice', 'make', 'hamburger', 'niece', 'gulp']

Avant :     This cafe has location going for it, but to the food, I say "meh". Tasted more pre-packaged than fre
Après :     ['location', 'food', 'say', 'meh', 'taste', 'package', 'shrimp_po', 'boy', 'crawfish', 'pie']

Avant :     Claims to have the best bloody mary in the city. Don't believe it.
It just mix, vodka and a few pick
Après :     ['claim', 'city', 'believe', 'mix', 'vodka', 'pickle', 'bean', 'lemon', 'pathetic']

Avant :     Bar far some of the worst food I've ever had.  I ordered the jambalaya, I've heard that it is a trad
Après :     ['bar', 'food', 'order', 'hear', 'dish', 'sit', 'rice', 'price', 'worth', 'dinner']

Avant :     if only I could give 0 stars. service was terrible. food was terrible and cold. eggs benedict was no
Après :     ['give_star', 'service', 'food', 'egg_benedict', 'egg', 'thing', 'place', 'location']

Avant :     If I could give it a zero star I would. Wish I could also tell you how the food was. But after sitti
Après :     ['give_star', 'wish', 'tell', 'food', 'sit', 'table', 'service', 'minute', 'leave', 'people']

Avant :     Skip it and walk down a few blocks for better food and service! ...

Went with a few family members 
Après :     ['skip', 'walk', 'block', 'food', 'service', 'family', 'member', 'visit', 'flavorless', 'shrimp']

Avant :     A wonderful location, right on Jackson's Square, but the food.... bland, underseasoned, and the grit
Après :     ['location', 'grit', 'soup', 'shrimp', 'omelet', 'lacking', 'sauce', 'cute', 'look', 'claim']

Avant :     Service and food under par. They capitalize on their location and forget about the quality of the fo
Après :     ['service', 'food', 'par', 'capitalize', 'location', 'forget', 'quality', 'food', 'service', 'order']

Avant :     Wouldn't eat here again. Small portions for the price. Food had zero flavor and the service was none
Après :     ['eat', 'portion', 'price', 'food', 'flavor', 'service', 'water_refill', 'waiter', 'check', 'doubt']

Avant :     The food was mediocre at best.  I was with a party of 6 and one of my friends wasn't even served unt
Après :     ['food', 'party', 'friend', 'serve', 'eat', 'food', 'eat', 'seem', 'waitress', 'handle']

Avant :     Pros: 
Location
Waitress is friendly
Open windows face to the crowded street

Cons: 
Worst Coca-Cola
Après :     ['pro', 'location', 'waitress', 'window', 'face', 'crowd', 'street', 'con', 'cola', 'shrimp']

Avant :     This wasn't our best experience. Waitress was much more interested in talking to staff than helping 
Après :     ['experience', 'waitress', 'talk', 'staff', 'help', 'chicken', 'sandwich', 'partner', 'platter', 'fry']

Avant :     Food was awful, there were bits of shell left on my shrimp in the etoufee and the shrimp was underco
Après :     ['food', 'bit', 'shell', 'leave', 'shrimp', 'bar', 'shrimp', 'partner', 'devein', 'entrail']

Avant :     So disappointed in this cafe. For starters our server Kate had the personality of a slug. No smile, 
Après :     ['cafe', 'starter', 'server', 'personality', 'slug', 'smile', 'kind', 'word', 'speak', 'server']

Avant :     Don't do it!  Don't spend a dime in this place.  Even though they're in the perfect location, right 
Après :     ['spend', 'dime', 'place', 'location', 'seem', 'service', 'food', 'price', 'location', 'ambiance']

Avant :     The oyster Po Boy tasted good until I got to the crunchy shrimp tails in the batter and something th
Après :     ['oyster', 'boy', 'taste', 'shrimp', 'tail', 'batter', 'consistency', 'paper', 'decide', 'finish']

Avant :     Zero if I could. So far, I've had to locate a server only for a buss boy to seat us, and then had to
Après :     ['locate', 'server', 'boy', 'seat', 'server', 'seat', 'drink', 'order', 'travel', 'want']

Avant :     We stopped in here 3 different times.  My husband had a Bloody Mary and really liked it.  On another
Après :     ['stop', 'time', 'husband', 'mary', 'like', 'visit', 'po_boy', 'time', 'stop', 'drink']

Avant :     This place was a huge disappointment. For the price you really get what you paid for. The first roun
Après :     ['place', 'disappointment', 'price', 'pay', 'blacken', 'alligator', 'part', 'meal', 'bland', 'order']

Avant :     Good location, right next to Jackson square with a nice view, but disappointing food and service. Fo
Après :     ['location', 'view', 'food', 'service', 'food', 'waiter', 'attitude', 'refill_drink', 'price', 'side']

Avant :     Ordered the jambalaya.  What I got was 2 cups of seasoned rice, still shaped like whatever mold they
Après :     ['order', 'cup', 'season', 'rice', 'shape', 'mold', 'put', 'rice', 'measure', 'amount']

Avant :     WORST RESTAURANT EVER. I went there a couple of years ago did not care for the food. I went back thi
Après :     ['restaurant', 'year', 'care', 'food', 'year', 'food', 'say', 'receive', 'service', 'receive']

Avant :     2 stars for location. Zero stars for food and service. One would think with such a great location th
Après :     ['star', 'location', 'star', 'food', 'service', 'think', 'location', 'meal', 'nope', 'waste_time']

Avant :     Don't eat breakfast at Cafe Pontalba!

The orange juice was bad. The grits were runny, unseasoned, a
Après :     ['eat', 'breakfast', 'cafe', 'grit', 'runny', 'flavorless', 'omelet', 'tepid', 'coffee', 'burn']

Avant :     After a hot day of walking around the Quarter,  following a great graduation day at Tulane,  we stop
Après :     ['day', 'walk', 'quarter', 'follow', 'graduation', 'day', 'tulane', 'stop', 'rest', 'foot']

Avant :     This  place used to be good they changed the menu now it's just crap food, gumbo was like straight f
Après :     ['place', 'use', 'menu', 'crap', 'food', 'gumbo']

Avant :     Food overpriced for New Orleans breakfast. Unbathed homeless frequent the front steps. Cajun hash br
Après :     ['food', 'overprice', 'breakfast', 'step', 'cajun', 'hash', 'norm', 'area', 'restaurant', 'appear']

Avant :     Mediocre food at best. Th etouffee was flavorless and watered down. Not much seafood. Service was sl
Après :     ['food', 'flavorless', 'water', 'seafood', 'service', 'place']

Avant :     Terrible choice!!! My hubby and I were looking for a good restaurant to feed our starving bodies aft
Après :     ['choice', 'hubby', 'look', 'restaurant', 'feed', 'starve', 'body', 'walk', 'quarter', 'understaffe']

Avant :     I visited Cage Pontalba early one evening a while back for a light meal before joining a tour. On ar
Après :     ['visit', 'cage', 'pontalba', 'evening', 'meal', 'join', 'tour', 'arrival', 'seat', 'server']

Avant :     One of the worst brownies that I have ever had. The brownie was very dry and extremely hard. I was b
Après :     ['brownie', 'eat', 'plastic', 'spoon', 'chocolate', 'return', 'customer']

Avant :     Great cake, as I love cakes with lots of icing sugar, and their cakes certainly meet my needs here. 
Après :     ['cake', 'love', 'cake', 'lot', 'ice', 'sugar', 'cake', 'meet', 'need', 'soy']

Avant :     Gross, just gross. I ordered the white meat fried chicken with Mac and cheese and garlic mashed pota
Après :     ['order', 'meat', 'fry', 'cheese', 'garlic', 'potato', 'side', 'chicken', 'side', 'mention']

Avant :     Food was nothing special.  Sides were cafeteria style nothing seemed home made.  Fried Chicken was t
Après :     ['food', 'side', 'cafeteria_style', 'seem', 'home', 'make', 'fry', 'chicken', 'thing']

Avant :     Lacking in service and flavor... The waitress went missing for about 20 minutes. We waited over 30 m
Après :     ['lack', 'service', 'flavor', 'waitress', 'minute', 'wait_minute', 'order', 'minute', 'food', 'arrive']

Avant :     I went to this restaurant last week and ordered chat, vada and chillibajji. Bajji is good, chat is o
Après :     ['restaurant', 'week', 'order', 'bajji', 'chat', 'vada', 'consider', 'improve', 'sambar', 'taste']

Avant :     You're clothes would smell if you dine in here. The food and the service is not good. I would not re
Après :     ['clothe', 'smell', 'food', 'service', 'good', 'recommend']

Avant :     I have been to lots n lots of good indian places before and i feel this place is not worth of 4 star
Après :     ['lot', 'lot', 'place', 'feel', 'place', 'star', 'come', 'hope', 'food', 'today']

Avant :     Freaky fast is a joke here.  It regularly takes over a hour to receive a lunch delivery from this lo
Après :     ['freaky', 'joke', 'take', 'hour', 'lunch', 'delivery', 'location', 'instance', 'order', 'location']

Avant :     SLOW. Declining food quality. The last two times I have ordered it has taken at least an hour to get
Après :     ['slow', 'decline', 'food', 'quality', 'time', 'order', 'take', 'hour', 'sandwich', 'time']

Avant :     Doesn't even deserve one star. I am 0.2 miles from this restaurant and it has been 30+ minutes since
Après :     ['deserve_star', 'mile', 'restaurant', 'minute', 'order', 'sandwich', 'arrive', 'walk', 'play', 'volleyball']

Avant :     Worst/ slowest location ever!! I am a teacher and have a very short lunch break. I ordered my sandwi
Après :     ['location', 'teacher', 'lunch_break', 'order', 'sandwich', 'advance', 'deliver', 'lunch', 'min', 'call']

Avant :     Didn't realize it took 1 hour to make and delivery a sandwich that was 10 minutes away. Jimmy johns 
Après :     ['realize', 'take', 'hour', 'make', 'delivery', 'sandwich', 'minute', 'sue', 'use', 'slogan']

Avant :     The quality and portion size of meals has decreased considerably in the last year. 
They also no lon
Après :     ['quality', 'portion_size', 'meal', 'decrease', 'year', 'accept', 'credit_card', 'payment', 'delivery']

Avant :     Restaurant was cute and that brought us in on an early Saturday afternoon.  My husband and I were se
Après :     ['restaurant', 'cute', 'bring', 'afternoon', 'husband', 'seat', 'seam', 'speak', 'restaurant', 'bar']

Avant :     We were seated fast by a very nice lady. The waitress however, sort of ignored us the whole time. We
Après :     ['seat', 'lady', 'waitress', 'ignore', 'time', 'order', 'coffee', 'milk', 'ask', 'milk']

Avant :     Coming from the Bay Area, my wife and I have lofty expectations.  Ambiance was nice for an Indian re
Après :     ['come', 'bay', 'area', 'wife', 'expectation', 'restaurant', 'waitstaff', 'food', 'stand', 'marsala']

Avant :     The menu is limited, service is poor and right you will have to scrape food off since they don't ref
Après :     ['menu', 'service', 'scrape', 'food', 'refill']

Avant :     The food was good but the service I am a regular visitor to the restaurant in media but this time I 
Après :     ['food', 'service', 'visitor', 'restaurant', 'medium', 'time', 'experience', 'want', 'visit', 'restaurant']

Avant :     Underwhelming, to say the least.  Came back here after years away only because they keep their kitch
Après :     ['say', 'come', 'year', 'keep', 'kitchen', 'wish', 'opt', 'casino', 'food', 'uninspire']

Avant :     OK.. I want to make it clear I am only talking about this Moxie's location.. We eat at the other two
Après :     ['want', 'make', 'talk', 'eat', 'decide', 'try', 'walk', 'restaurant', 'portion', 'wreak']

Avant :     What's the point of setting a pick up time for a ToGo order when you end up waiting 30mins after tha
Après :     ['point', 'set', 'pick', 'order', 'end', 'waiting', 'min', 'food', 'restaurant', 'take']

Avant :     Second time in row I ate here and had horrible service. I hadn't been in over a year and decided to 
Après :     ['time', 'row', 'eat', 'service', 'year', 'decide', 'give', 'try', 'think', 'improvement']

Avant :     Such a sorry shame of a once nice place. Wings are smaller,  greasy, slimy and lacking sauce or flav
Après :     ['shame', 'place', 'wing', 'lacking', 'sauce', 'throw', 'order', 'pickup', 'order', 'dollar']

Avant :     Worst winghouse wings I've ever had. I don't ordinarily complain about food but these wings tasted w
Après :     ['winghouse', 'wing', 'complain', 'food', 'wing', 'taste', 'chicken', 'return', 'recommend', 'place']

Avant :     Nothing special and a little over priced!!! The service is lacking, the bartenders are not very frie
Après :     ['price', 'service', 'lacking', 'bartender', 'idea', 'make', 'drink']

Avant :     So you can't go wrong with a wing house, or so I thought. First the good, very clean on the inside, 
Après :     ['wing', 'think', 'staff', 'friend', 'cater', 'attitude', 'order', 'wing', 'ask', 'drumstick']

Avant :     Came here about a week ago and I never complain but it was the worst food I've ever had, like the wi
Après :     ['come', 'week', 'complain', 'food', 'wing', 'burger', 'send', 'waitress', 'come', 'table']

Avant :     Kelly's has changed hands and the menu has completely changed.  It's clear they've had to defend thi
Après :     ['change', 'hand', 'menu', 'change', 'defend', 'seem', 'menu', 'change', 'response', 'crew']

Avant :     Not sure why this place continues getting great ratings. We went on Sunday to grab some breakfast wh
Après :     ['place', 'continue', 'rating', 'grab', 'breakfast', 'rain', 'rain', 'humidity', 'decide', 'sit']

Avant :     Maybe my mistake was going during daylight hours. This looks like a nightclub which really shouldn't
Après :     ['mistake', 'daylight', 'hour', 'look', 'nightclub', 'see', 'day', 'furnishing', 'look', 'night']

Avant :     This was the second time coming here.  First time we came the wait for a drink (only got a drink) wa
Après :     ['time', 'come', 'time', 'come', 'wait', 'drink', 'drink', 'time', 'come', 'dinner']

Avant :     Love Dunedin, The bar lacks decent entertainment. The bar staff isn't very personal.My husband and i
Après :     ['love', 'dunedin', 'bar', 'lack', 'entertainment', 'bar', 'staff', 'husband', 'bar', 'staff']

Avant :     Dive,dive,dive if you eat inside. The garden seating area looked nice, but it was full, so we sat in
Après :     ['dive', 'eat', 'garden', 'seating_area', 'look', 'sat', 'place', 'seem', 'nightclub', 'night']

Avant :     We had great time awesome service great music and atmosphere. Until the bartender Michael cashed us 
Après :     ['time', 'service', 'music', 'atmosphere', 'cash', 'give', 'tip', 'sit_bar', 'ask', 'cash']

Avant :     We arrived at 930 for breakfast with a party of seven. An hour passed and we were still waiting, wit
Après :     ['arrive', 'breakfast', 'party', 'hour', 'pass', 'wait', 'update', 'kid', 'month', 'place']

Avant :     Every drink I ordered tasted terrible. Server was friendly, pretty much the only good thing about th
Après :     ['drink', 'order', 'taste', 'server', 'thing', 'place']

Avant :     I'm reminded of the Righteous Brothers, "You've Lost That Loving Feeling". Maybe it's got to do with
Après :     ['remind', 'brother', 'lose', 'love', 'feeling', 'grow', 'pain', 'owner', 'experience', 'place']

Avant :     Overrated. Many better places to eat in Dunedin. Over priced, Snobby staff, and the service leaves s
Après :     ['overrate', 'place', 'eat', 'dunedin', 'price', 'staff', 'service', 'leave_desire', 'want', 'pay']

Avant :     The food was good.
I sent my son to wash his hands. He could not open the door and banged it. He cam
Après :     ['food', 'send', 'son', 'wash_hand', 'open', 'door', 'bang', 'come', 'decide', 'take']

Avant :     We used to love Kelly's, but I won't be returning. We were to meet some people there on a Sunday mor
Après :     ['use_love', 'return', 'meet', 'people', 'morning', 'week', 'husband', 'check', 'patio', 'see']

Avant :     We went to Kelly's because we'd heard good things, and it's always packed so we figured it would liv
Après :     ['hear_thing', 'pack', 'figure', 'live', 'hear', 'give', 'friend', 'give', 'order', 'steak']

Avant :     Eclipse used to be my favorite California style pizza place in town. But I've been very disappointed
Après :     ['eclipse', 'use', 'style', 'pizza', 'place', 'town', 'disappoint', 'visit', 'margherita', 'example']

Avant :     I live just down the road from this place so I was excited to find a good pie shop near me. I went w
Après :     ['road', 'place', 'excite', 'find', 'pie', 'shop', 'family', 'feel', 'pizza', 'wife']

Avant :     So we just bought a new home in the area and like any family of four we are trying all of the local 
Après :     ['buy', 'home', 'area', 'family', 'try', 'pizza', 'spot', 'area', 'read_review', 'decide']

Avant :     i didnt want to give up a star but... the place sucks!
Après :     ['want', 'give', 'place', 'suck']

Avant :     Stopped in for a quick take out. Ordered the black eyed peas jambalaya. Asked if it was really spicy
Après :     ['stop', 'take', 'order', 'pea', 'ask', 'server', 'say', 'add', 'spice', 'spice']

Avant :     The server was very nice. The patio was clean (although there were alot of bug bites).  Really not a
Après :     ['server', 'patio', 'alot', 'bug', 'bite', 'place', 'enjoy', 'view', 'food', 'bland']

Avant :     It was awful, we won't be back. The server was unfriendly and impatient. My chicken piccata was toug
Après :     ['server', 'chicken', 'joke', 'chicken', 'think', 'portion', 'price', 'daughter', 'pizza', 'pizza']

Avant :     Less than 1, actually. It's ITALIAN, it's supposed to be FLAVORFUL!!! This is the most bland-tasting
Après :     ['suppose', 'bland', 'tasting', 'pretend', 'toast', 'bowl', 'slice', 'cherry', 'tomatoe', 'spinach']

Avant :     This was our first visit to this location of Porta Via and I really want to like it but just like at
Après :     ['visit', 'location', 'porta', 'want', 'location', 'service', 'weeknight', 'couple', 'table', 'time']

Avant :     Mediocre at best. Almost inedible prosciutto. Bland pesto. The service was not attentive and lacked 
Après :     ['mediocre', 'bland', 'pesto', 'service', 'attentive', 'lack', 'knowledge', 'menu', 'return']

Avant :     My daughter took me here for Father's Day because she had been here a couple times before and liked 
Après :     ['daughter', 'take', 'father', 'day', 'couple', 'time', 'like', 'hostess', 'tell', 'dinner']

Avant :     Twice I have wanted to order through the Internet and twice it has not worked. The first time I neve
Après :     ['want', 'order', 'internet', 'work', 'time', 'order', 'time', 'call', 'tell', 'happen']

Avant :     I like that they have unusual toppings, and the pizza's good. But I took a star off for the terrible
Après :     ['topping', 'pizza', 'good', 'take', 'star', 'bread', 'chicken', 'top', 'leave', 'topping']

Avant :     The pizza is great. Brusell sprouts on a pizza is where it's at.  Their online ordering is awful.  T
Après :     ['pizza', 'sprout', 'pizza', 'ordering', 'tonight', 'time', 'order', 'time', 'hassle', 'time']

Avant :     Only came here since it was featured in US Weekly magazine as one of Taylor Swift's favorite places.
Après :     ['come', 'feature', 'magazine', 'swift', 'place', 'place', 'order', 'pull', 'side', 'cheese']

Avant :     The grits and mac and cheese were incredible. Hot chicken sandwich was pretty bad. The chicken was s
Après :     ['grit', 'cheese', 'chicken', 'sandwich', 'chicken', 'cook', 'part', 'bbq']

Avant :     I'm sure this place may be good when they have food but....no ribs, no turkey, brisket is served onl
Après :     ['place', 'food', 'rib', 'brisket', 'serve', 'attitude', 'server', 'give_star', 'run']

Avant :     This place was recommended to us by a friend and oh my gosh was it terrible. First off when you come
Après :     ['place', 'recommend', 'friend', 'bbq', 'place', 'hope', 'variety', 'bbq', 'item', 'choose']

Avant :     Came in after being referred here by a friend. 

Out of brisket , hmm 

FOOD: 
The pork I ordered wa
Après :     ['come', 'refer', 'friend', 'brisket', 'food', 'pork', 'order', 'bean', 'cheese', 'good']

Avant :     The hot chicken sandwich was pretty darn good, but the green beans, Mac & cheese, and coleslaw weren
Après :     ['chicken', 'sandwich', 'darn', 'bean', 'cheese', 'coleslaw', 'par', 'eat', 'bite', 'worth']

Avant :     If you want great barb que skip this dump and go directly to Chicago, St. Louis , Kansas City. Half 
Après :     ['want', 'dump', 'half', 'advertise', 'basket', 'fry', 'tater_tot', 'come', 'attitude', 'staff']

Avant :     8 pm on a Saturday and they are sold out of all of the food that is actually "Bar-B-Que"...oh and th
Après :     ['sell', 'food', 'bar', 'que', 'say', 'sell', 'stand_line', 'minute', 'cash_register', 'paper']

Avant :     Talk about overrated! When I relocated to Nashville from Arizona, I had high hopes for the BBQ scene
Après :     ['talk', 'relocate', 'time', 'disappoint', 'seem', 'staple', 'rib', 'brisket', 'hand', 'rarity']

Avant :     Why 2 stars? Let's look at the three S's.

One: smoke. If there is no smoke in the meat, the BBQ nee
Après :     ['star', 'let', 'look', 'smoke', 'smoke', 'meat', 'bbq', 'need', 'work', 'smoke']

Avant :     This place NEVER HAS BRISKET!!!! We went for the first time to try it out. (We've gone but they neve
Après :     ['place', 'brisket', 'time', 'try', 'brisket', 'leave', 'decide', 'try', 'starve', 'son']

Avant :     Ordered the barbecue nachos and they were fabulous. Tried to order the brisket tacos but they were o
Après :     ['order', 'try', 'order', 'run', 'brisket']

Avant :     I really wanted to like this place. They put peppers in EVERYTHING. Every single side including the 
Après :     ['want', 'place', 'put', 'pepper', 'side', 'include', 'cornbread', 'pepper', 'hate', 'pull']

Avant :     I'm not a big barbecue person, but I was really looking forward to tasting some Nashville barbecue. 
Après :     ['person', 'look', 'taste', 'nashville', 'barbecue_sauce', 'brisket', 'brag', 'bean', 'salad', 'burn']

Avant :     I am really striking out on my BBQ tour in Nashville. 
I service is horrible. The girl taking our or
Après :     ['strike', 'service', 'girl', 'take', 'order', 'tonight', 'seem', 'put', 'take', 'order']

Avant :     So the place tells you on the sign that it's 40 years old and all the good parts of that are clear t
Après :     ['place', 'tell', 'sign', 'year', 'part', 'see', 'coliseum', 'loaf', 'wife', 'salad']

Avant :     Service was GREAT! Food....meh. Jambalaya was almost room temperature and no okra at all. Won't be b
Après :     ['service', 'food', 'room_temperature', 'okra']

Avant :     We had reservations for Easter dinner. Service was slow and we felt forgotten. We ordered the BBQ Oy
Après :     ['reservation', 'easter', 'dinner', 'service', 'feel', 'forget', 'order', 'bbq', 'oyster', 'load']

Avant :     Rating were good. But still waiting for our dinner .   Extremely slow service ..appetizer and drinks
Après :     ['rating', 'wait', 'dinner', 'service', 'appetizer', 'drink', 'look', 'meal', 'recommend', 'hope']

Avant :     Just grabbed a beer - was going to have a snack but the person next to me was doing business and eve
Après :     ['grab', 'beer', 'snack', 'person', 'business', 'word', 'use', 'word', 'ring', 'word']

Avant :     Sitting in the downstairs bar and they refuse to close the door. It's freezing out and 60 degrees in
Après :     ['sit_bar', 'refuse', 'door', 'freeze', 'degree', 'restaurant', 'care', 'people', 'walk']

Avant :     Nothing really went right during this experience. Ignored by wait staff, wrong food given, exception
Après :     ['experience', 'ignore', 'wait', 'staff', 'food', 'give', 'service', 'hr', 'receive', 'water']

Avant :     Very sad to say, they are closed. We've been coming here for probably 20 years. Oh well, time to fin
Après :     ['say', 'close', 'come', 'year', 'time', 'find', 'neighborhood', 'spot']

Avant :     the placed finally closed.  the quality declined terribly in the last few years and i dont know how 
Après :     ['place', 'close', 'quality', 'decline', 'year', 'know', 'stay', 'believe', 'boot', 'take']

Avant :     Gross. Im from Vegas that i thought this would be like a robertos which those are amazing. This food
Après :     ['think', 'like', 'food', 'flavor']

Avant :     Not a fan.   I like tacos with onion and cilantro, this came with lettuce and cheese.   The burrito 
Après :     ['fan', 'onion', 'come', 'make', 'salsa', 'lot']

Avant :     I ate here when first moving to the area a year and a half ago and wasn't that impressed. The beans 
Après :     ['eat', 'move', 'area', 'year', 'half', 'impress', 'bean_rice', 'seem', 'remember', 'husband']

Avant :     I ordered carne Asada plate and went I paid I told the cashiers super fries is not my order and when
Après :     ['order', 'asada', 'plate', 'pay', 'tell', 'cashier', 'fry', 'order', 'home', 'order']

Avant :     I just spent $25.00 for three COLD carne asada burritos!They charged me $1.20 extra for sour cream p
Après :     ['spend', 'carne', 'asada', 'charge', 'cream', 'burrito', 'try', 'call', 'phone_number', 'list']

Avant :     I can't tell you yet if the food is great but I can tell you the service is friendly but sucks .  St
Après :     ['tell', 'food', 'tell', 'service', 'suck', 'wait_minute', 'take', 'drive', 'grow', 'bean']

Avant :     Walked out because their employees dont even wear gloves while making your food, very unsanitary and
Après :     ['walk', 'employee', 'wear_glove', 'make', 'food', 'health', 'hazard']

Avant :     I used to love this place but after my experience today with an order they just couldn't get right, 
Après :     ['use_love', 'place', 'experience', 'today', 'order', 'attitude', 'employee', 'food', 'norm', 'alderto']

Avant :     For the time and effort I put into ordering online 30 minutes before my pickup, I was pretty disappo
Après :     ['time', 'effort', 'put', 'order', 'minute', 'pickup', 'line', 'tell', 'system', 'thank']

Avant :     This was my first time at Panda Express. I found the workers there to be very pushy, trying to hurry
Après :     ['time', 'panda', 'find', 'worker', 'try', 'hurry', 'line', 'let', 'brass', 'tax']

Avant :     I had high hopes for this place since the parking lot was full. I ordered fish and chips, and got pe
Après :     ['hope', 'place', 'parking_lot', 'order', 'fish_chip', 'pea', 'cheese', 'side', 'companion', 'order']

Avant :     This place is a dirty mess. I have eaten here and have been disappointed at how dirty it was multipl
Après :     ['place', 'mess', 'eat', 'disappoint', 'time', 'wait', 'staff', 'attitude', 'diner', 'night']

Avant :     Horrible from start to finish . We got seated in a back corner and forgotten about, when the waitres
Après :     ['start', 'finish', 'seat', 'corner', 'forget', 'waitress', 'come', 'drink', 'order', 'wrong']

Avant :     Not too crowded on Father's Day Sunday 1pm, maybe because of the new menu (though still standard din
Après :     ['crowd', 'menu', 'diner', 'choice', 'ice_tea', 'gyro', 'breakfast', 'pancake', 'sunn', 'side']

Avant :     What a disaster. Bad food and terrible service. 
The waitress was rude throughout, leaving the area 
Après :     ['disaster', 'food', 'service', 'waitress', 'leave', 'area', 'finish', 'order', 'order', 'waffle']

Avant :     Mhe...  Filling dinner.  Not to bad, good size portions.  I didn't make it to the desert.  The coffe
Après :     ['mhe', 'fill', 'dinner', 'size', 'portion', 'make', 'desert', 'coffee', 'soso', 'hotel']

Avant :     Ordered pancakes, eggs, potatoes, bacon & sausage breakfast.  Eggs cooked as ordered, pancakes ok at
Après :     ['order', 'pancake', 'egg', 'potatoe', 'bacon_sausage', 'breakfast', 'egg', 'cook', 'order', 'pancake']

Avant :     I do not know why so many people eat here. I drive by and they are always packed. Service was horrib
Après :     ['know', 'people', 'eat', 'drive', 'pack', 'service', 'food', 'wait', 'minuet', 'check']

Avant :     I really am angry that I even have to this place one star. I would zero if I could. I am a vegetaria
Après :     ['place', 'star', 'vegetarian', 'order', 'put', 'meat', 'say', 'food', 'care', 'meat']

Avant :     The food here is so average it's not worth the money. Go next door to IHOP... prices are pricey for 
Après :     ['food', 'average', 'money', 'door', 'ihop', 'price', 'diner', 'taste', 'patty', 'season']

Avant :     Lol worst mic dicks yet spicificly asked for fresh fries and got cold ones as usual finally got the 
Après :     ['lol', 'dick', 'ask', 'fry', 'one', 'onion', 'tho']

Avant :     I stopped by the drive-thru to pick-up breakfast. Ordered the two burritos meal and asked for ketchu
Après :     ['stop', 'drive', 'pick', 'breakfast', 'order', 'meal', 'ask', 'ketchup', 'salsa', 'window']

Avant :     So I don't know why but I wanted meatballs. So I came to wages and ordered a medium meatball. Not on
Après :     ['know', 'meatball', 'come', 'wage', 'order', 'meatball', 'meatball', 'dollar', 'room', 'add']

Avant :     The tables and floors were filthy. All of them. Falafel was tasty but all other items were very sub 
Après :     ['table', 'floor', 'falafel', 'item', 'sub', 'portion', 'staff']

Avant :     The place looks nice from outside but terribly disappointing on food, even dangerous. I ordered some
Après :     ['place', 'look', 'food', 'order', 'meat', 'ball', 'make', 'beef', 'salad', 'beef']

Avant :     Where should I start. The menu is very condense, the atmosphere is very loud and noisy. They have a 
Après :     ['start', 'menu', 'condense', 'atmosphere', 'system', 'turn', 'service', 'food', 'bar', 'food']

Avant :     We had been wanting to stop in since they opened. The place was almost empty at 9:00pm on a Saturday
Après :     ['want', 'stop', 'open', 'place', 'night', 'sign', 'decide', 'stay', 'beer', 'appetizer']

Avant :     I was here on a Tuesday, so I ordered the Tuesday special of 5 boneless wings for $2.75. It took so 
Après :     ['order', 'boneless_wing', 'take', 'order', 'throw', 'one', 'consolation', 'strawberry', 'shake', 'wing']

Avant :     For many years, RH&B was the place to go in south Jersey for great BBQ and blues. Sadly, after a rec
Après :     ['year', 'blue', 'sale', 'restaurant', 'decide', 'cancel', 'music', 'food', 'absence', 'music']

Avant :     Terrible experience!
My wife ordered a mild sausage sandwich because she needs to stay away from spi
Après :     ['experience', 'wife', 'order', 'sausage', 'sandwich', 'need', 'stay', 'food', 'substitute', 'jalapeno']

Avant :     Average at best. People were nice and place is spacious but nothing stood out between the ribs, chic
Après :     ['people', 'place', 'stand', 'chicken', 'side', 'say', 'way', 'back', 'need', 'bbq']

Avant :     I ordered the five meat platter. Looked like a plate of fat. Good service though. Nachos were ok.
Après :     ['order', 'meat', 'platter', 'look', 'plate', 'fat', 'service', 'ok']

Avant :     I have a rule for myself : If people tell me that a place is good and I don't enjoy it I'll try it t
Après :     ['rule', 'people', 'tell', 'place', 'enjoy', 'try', 'time', 'give', 'give', 'place']

Avant :     After a long day on the road hit this place for a late dinner and drinks. The bartender is awesome. 
Après :     ['day', 'road', 'hit', 'place', 'dinner', 'drink', 'bartender', 'service', 'food', 'pull']

Avant :     I heard a number of good things about this place ,but I was very disappointed. Parking is terrible w
Après :     ['hear', 'number', 'thing', 'place', 'parking', 'deal', 'prepare', 'spend', 'minute', 'look']

Avant :     Very underwhelmed by this location. I am a huge fan of the Lexington location and was very excited t
Après :     ['underwhelme', 'location', 'fan', 'excite', 'try', 'location', 'food', 'item', 'price', 'run']

Avant :     although i live a stones throw away and love the concept, i can no longer support this establishment
Après :     ['stone', 'throw', 'love', 'concept', 'support', 'establishment', 'food', 'inconsistent', 'price', 'subpar']

Avant :     I can't believe this place gets ratings higher than 2 and people continue to eat there. The food is 
Après :     ['believe', 'place', 'rating', 'people', 'continue', 'eat', 'food', 'accept', 'fact', 'nashville']

Avant :     Very underwhelming. If you don't mind bland tacos sans sauce and dry chewy meats, then this place is
Après :     ['underwhelme', 'mind', 'bland', 'taco', 'san', 'sauce', 'chewy', 'meat', 'place', 'food']

Avant :     Really bad.  This place was great years ago but is on an extreme descent.  It took close to a half h
Après :     ['place', 'year', 'descent', 'take', 'hour', 'taco', 'chip', 'taste', 'staff', 'yell']

Avant :     Used to really like this place but had since gone downhill. Ate there today, food was slow and overa
Après :     ['use', 'place', 'eat', 'today', 'food', 'slow', 'food', 'look', 'plate', 'feel']

Avant :     Very good reviews and the hope of something different led me to this place. I was not impressed! Not
Après :     ['review', 'hope', 'lead', 'place', 'impress', 'drink', 'special', 'try', 'beef', 'taco']

Avant :     A 59 cent taco from taco bell is ten times better than the $2.50 tacos served at this joint. They se
Après :     ['cent', 'time', 'serve', 'seem', 'try', 'make', 'taco', 'succeed', 'turn', 'one']

Avant :     Bathroom out of toilet paper, bar tender was rude when I notified her, over priced under flavored un
Après :     ['bathroom', 'paper', 'bar_tender', 'rude', 'notify', 'price', 'flavor', 'portion', 'day', 'hope']

Avant :     I wish this place was better being in my neighborhood and in walking distance. But it's pretty medio
Après :     ['wish', 'place', 'neighborhood', 'walking', 'distance', 'wish', 'address', 'filling', 'ruin']

Avant :     I've given this establishment three different shots to change my mind, each visit yields the same re
Après :     ['give', 'establishment', 'shot', 'change', 'mind', 'visit', 'yield', 'result', 'service', 'accompany']

Avant :     what drew me here- promise of a Korean BBQ taco. what will keep me from going here again- tasteless,
Après :     ['draw', 'promise', 'keep', 'overprice', 'food']

Avant :     Good food, very disappointing customer service. Hired them for a corporate catering order for a larg
Après :     ['food', 'customer_service', 'hire', 'catering', 'order', 'party', 'dollar', 'delivery', 'contact', 'minute']

Avant :     Not nearly as good as other options in Nashville. Most people that I know that rave about this place
Après :     ['option', 'people', 'know', 'rave', 'place', 'drink', 'flour_tortilla', 'make', 'happen', 'intention']

Avant :     New owners have serious service issues to resolve. Takeout is a disaster. Owner and counter staff hu
Après :     ['owner', 'service', 'issue', 'resolve', 'takeout', 'disaster', 'owner', 'buy', 'place']

Avant :     Review of two people with 3 tacos each:
Tequila lime- "it taste like someone was smoking a cigarette
Après :     ['review', 'people', 'taste', 'smoke', 'cigarette', 'make', 'reviewer', 'sauce', 'fish', 'think']

Avant :     Perhaps it was an off night, given that this is reportedly a popular place.  Sometimes seems that if
Après :     ['night', 'give', 'place', 'seem', 'restaurant', 'neighborhood', 'give', 'try', 'service', 'table']

Avant :     We purchased a coupon from Living Social and when we arrived at Big Dick's, we were told that we nee
Après :     ['purchase', 'coupon', 'live', 'arrive', 'dick', 'tell', 'need', 'call', 'morning', 'place']

Avant :     So unfortunately it's maybe a little pricey and we ordered wings which btw took some time to place t
Après :     ['order', 'wing', 'take', 'time', 'place', 'order', 'slice', 'pizza', 'share', 'come']

Avant :     This is the McDonalds closest to my home, but I will forever drive any distance to find another bc i
Après :     ['mcdonald', 'home', 'drive_distance', 'find', 'restaurant', 'say', 'love', 'mcdonald', 'lent', 'mcdonald']

Avant :     McDonalds... What do you need to know?..   They serve the purpose. I'd complain about the inaudible 
Après :     ['mcdonald', 'need', 'know', 'serve', 'purpose', 'complain', 'fellow', 'working', 'drive', 'expect']

Avant :     McDonalds... What do you need to know?..   They serve the purpose. I'd complain about the inaudible 
Après :     ['mcdonald', 'need', 'know', 'serve', 'purpose', 'complain', 'fellow', 'working', 'drive', 'expect']

Avant :     Awful - long wait times, slow service, out of ingredients, and orders filled sloppily and incorrectl
Après :     ['wait', 'time', 'service', 'ingredient', 'order', 'fill', 'road', 'mall']

Avant :     Went back with my mom because I couldn't think of better competition at the time. She's much more ke
Après :     ['mom', 'think', 'competition', 'time', 'detail', 'cleanliness', 'take', 'food', 'jaw', 'drop']

Avant :     This place has gone downhill. Extremely slow service, always out of ingredients, always get the wron
Après :     ['place', 'service', 'ingredient', 'order', 'back']

Avant :     I actually use to work here years ago.....for three weeks. It's a horrible place. The owner doesn't 
Après :     ['use', 'work', 'year', 'week', 'place', 'owner', 'care', 'think', 'manager', 'take']

Avant :     this place used to be the best! ever...but recently, it is not. the owner, the father-was so friendl
Après :     ['place', 'use', 'owner', 'father', 'love', 'guy', 'seem', 'food', 'weekend', 'cook']

Avant :     Food is good, always is. Manager is a maniac. Really unenjoyable place to eat but again food is good
Après :     ['food', 'manager', 'place', 'eat', 'food']

Avant :     Went back for another try- 3 people behind counter. Waited 10 minutes as the only person in line. Th
Après :     ['try', 'people', 'counter', 'wait_minute', 'person', 'line', 'make', 'eye_contact', 'occasion', 'ask']

Avant :     The pizza was horrible had to send it back.. Even though we didn't get a new one they tried charging
Après :     ['pizza', 'send', 'one', 'try', 'charge', 'take_bite', 'server', 'avoid', 'talk', 'attention']

Avant :     We used to order carry out  from Joey Bs on the Hill quite frequently because it was close by, had o
Après :     ['use', 'order', 'carry', 'hill', 'street', 'parking', 'food', 'stop', 'order', 'seem']

Avant :     I have to say, I'm a Jersey Girl who is used to going to really great Italian restaurants. This was 
Après :     ['say', 'jersey', 'girl', 'use', 'restaurant', 'trip', 'mess', 'spaghetti', 'schnuck', 'buy']

Avant :     I went there tonight to eat and was disappointed. The hostess was lost with no direction from manage
Après :     ['tonight', 'eat', 'hostess', 'lose', 'direction', 'management', 'take', 'name', 'try', 'convince']

Avant :     Wed 6 pm run in to get a to go order and drink. Sit at half filled bar. 615 pm leave with neither. W
Après :     ['run', 'order', 'drink', 'sit', 'fill', 'bar', 'pm', 'leave', 'watch', 'bartender']

Avant :     I have been here once and will never be returning. I ordered a plain old pasta alfredo with angel ha
Après :     ['return', 'order', 'pasta', 'bring', 'tell', 'jiggle', 'alfredo', 'sauce', 'make', 'cream_cheese']

Avant :     Service was great, but the pasta I had was basically a pound of pasta swimming in a stick of melted 
Après :     ['service', 'pasta', 'pound', 'pasta', 'swimming', 'stick', 'melt', 'butter', 'mushroom', 'boyfriend']

Avant :     Absolutely terrible, ordered tickets that was to include dinner. We were there for 2 hours and never
Après :     ['order', 'ticket', 'include', 'dinner', 'hour', 'receive', 'dinner', 'make', 'fulfil', 'drink']

Avant :     Incredibly bad service.  We waited 45 minutes before someone taking even a drink order.  Food came o
Après :     ['service', 'wait_minute', 'take', 'drink', 'order', 'food', 'come', 'minute', 'table', 'burger']

Avant :     This was one of my boyfriend's favorite places to get breakfast. It obviously is nothing fancy, and 
Après :     ['boyfriend', 'place', 'breakfast', 'appeal', 'patron', 'coffee', 'service', 'waste_time', 'pleasantry', 'order']

Avant :     I'm have a big issue with germs.  When I eat out, doesn't matter what the restaurant is I request pl
Après :     ['issue', 'germ', 'eat', 'matter', 'restaurant', 'request', 'plastic', 'restaurant', 'time', 'request']

Avant :     After reading the previous reviews I decided to try it out and was surprised by how disappointed I w
Après :     ['read_review', 'decide', 'try', 'surprise', 'staff', 'welcome', 'food', 'order', 'fry', 'side']

Avant :     Appetizers:
 - tasty camarones with mushrooms and Chilean sea bass ceviche were a little pricy but v
Après :     ['appetizer', 'mushroom', 'chilean', 'bass', 'ceviche', 'pricy', 'meal', 'cut', 'pork', 'shoulder']

Avant :     Tres Canales is soooo much better! The Queso Fundido was missing the Queso. Flour tortillas were not
Après :     ['tre', 'canal', 'queso', 'fundido', 'miss', 'queso', 'flour_tortilla', 'light', 'lard']

Avant :     I was so excited to go there ... the menu looked fantastic.. went and had the pork sandwich.. to me 
Après :     ['menu', 'look', 'pork_sandwich', 'bread', 'overwhelm', 'ask', 'sauce', 'tell', 'pay', 'wow']

Avant :     Decent, quick serve food. Certainly not gourmet, but it is Taco Bell. Got me in and out fairly quick
Après :     ['serve', 'food', 'gourmet', 'star', 'experience', 'take', 'bathroom']

Avant :     There are some really sweet workers here, however there are also some malicious workers. I tried to 
Après :     ['worker', 'worker', 'try', 'ignore', 'keep', 'put', 'onion', 'food', 'ask', 'thing']

Avant :     This particular taco bell is awful in more ways than one. Made a friend very sick for three days. Dr
Après :     ['bell', 'way', 'make', 'friend', 'day', 'drive', 'wait', 'time', 'shell', 'fail']

Avant :     Had the five cheese ziti and "garlic?" dry bread. I'll put it this way, I could have heated a Banque
Après :     ['cheese', 'ziti', 'garlic_bread', 'put', 'way', 'heat', 'banquet', 'dinner', 'thing', 'money']

Avant :     While the service was friendly, the raised voices of two employees distracted me from the work I'd b
Après :     ['service', 'raise', 'voice', 'employee', 'distract', 'work', 'bring', 'hear', 'employee', 'restaurant']

Avant :     this particular location was awful- first and last time I'll go there. I ordered a specialty bagel s
Après :     ['location', 'time', 'order', 'specialty', 'sandwich', 'come', 'ask', 'heat', 'guy', 'manager']

Avant :     Just went here in October and there was no air conditioning.  The staff blamed the heat on the ovens
Après :     ['air', 'staff', 'blame', 'heat', 'oven', 'pizza', 'place', 'air_conditioning']

Avant :     Maybe the pizza is good here... but I can really only speak on the soup and salad. It could be the c
Après :     ['pizza', 'good', 'speak', 'soup', 'salad', 'case', 'idiot', 'decide', 'wedding', 'soup']

Avant :     Do not order the BLT.  ITS not real Bacon it's Bacon Bits. I waisted my money  I tried to move all t
Après :     ['order', 'blt', 'bacon', 'bacon', 'bit', 'waiste', 'money', 'try', 'move', 'side']

Avant :     Not-so-happy hour! $1 off an overpriced red blend? Woohoo - I can finally afford that beach condo in
Après :     ['hour', 'overprice', 'blend', 'woohoo', 'afford', 'deal', 'cork', 'fee', 'twist', 'buy']

Avant :     I got the Stuffed Pepper, Shrimp Pasta & green beans. There was NO stuffing in the pepper. Only heav
Après :     ['stuff', 'pepper', 'shrimp', 'pasta', 'bean', 'stuff', 'pepper', 'season', 'ground_beef', 'shrimp']

Avant :     My red beans and rice was cold. I ordered the "thick" cat fish but it was thin and greasy. Our bill 
Après :     ['bean_rice', 'cold', 'order', 'cat', 'fish', 'greasy', 'bill', 'food']

Avant :     Service was horrible, most food wasn't very good, spaghetti squash marinara was inedible. It took ov
Après :     ['service', 'food', 'spaghetti', 'squash', 'marinara', 'take', 'hour', 'place', 'half', 'chain']

Avant :     Worst service of my life!!!! 
The food is cold, I order buffalo and they never bring me also the wai
Après :     ['service', 'life', 'food', 'order', 'buffalo', 'bring', 'fight', 'position', 'say', 'section']

Avant :     The wait staff at this store is terrible. After ordering online, arrived at the store on time, waiti
Après :     ['wait', 'staff', 'store', 'order', 'arrive', 'store', 'time', 'wait_minute', 'come', 'call']

Avant :     This is by far the worst place to eat!!! Extremely long wait times, small portions, and on top of th
Après :     ['place', 'eat', 'wait', 'time', 'portion', 'top', 'bread', 'realy', 'bread']

Avant :     I really like several items from the menu here (chicken avocado sandwich among them), and the staff 
Après :     ['item', 'menu', 'chicken', 'avocado', 'sandwich', 'staff', 'instance', 'failure', 'staff', 'respond']

Avant :     Three of five within my family got sick from eating here today. Chicken was the common ingredient. O
Après :     ['family', 'eat', 'today', 'chicken', 'ingredient', 'chicken_quesadilla', 'chicken', 'freso', 'eat']

Avant :     All the other good restaurants were closed on Easter, so we had no choice. When you step inside, the
Après :     ['restaurant', 'close', 'choice', 'step', 'odor', 'damp', 'leather', 'seat', 'rag', 'bombard']

Avant :     First let me say that the salad bar was great 
Then it went downhill from there!
The order took fore
Après :     ['let', 'say', 'salad', 'bar', 'great', 'order', 'take', 'ask', 'server', 'problem']

Avant :     My boyfriend and I went for dinner tonight. It wasn't too busy, especially for a Friday night. We sa
Après :     ['boyfriend', 'dinner', 'tonight', 'night', 'see', 'waitress', 'time', 'visit', 'leave', 'lot']

Avant :     Came for dinner tonight. We were quickly seated and the chips and salsa are very good. We ordered an
Après :     ['come', 'dinner', 'tonight', 'seat', 'chip_salsa', 'order', 'feel', 'food', 'come', 'chimichanga']

Avant :     The food is way over priced. $1.50 for a small piece of fried chicken, $1.00 for a can of soda. $1.0
Après :     ['food', 'way', 'price', 'piece', 'fry', 'chicken', 'soda', 'bag_chip']

Avant :     While we commend them for a family-run restaurant, we have to be honest. The beef (stir-fry) and chi
Après :     ['commend', 'family', 'run', 'restaurant', 'beef', 'stir', 'dish', 'chewy', 'shrimp', 'appetizer']

Avant :     Visiting here from California we decided to come eat here on a Tuesday. We decided to walk here from
Après :     ['visit', 'decide', 'come', 'eat', 'decide', 'walk', 'shoe', 'store', 'block', 'say']

Avant :     Service: s-l-o-w.

Eggs Benedict hollandaise: out of a plastic packet or tub

Breakfast menu overall
Après :     ['service', 'egg_benedict', 'hollandaise', 'packet', 'tub', 'breakfast', 'menu', 'meh', 'thing', 'downtown']

Avant :     One star because 0 stars was not an option.  The service was extremely confusing.  17 seconds after 
Après :     ['star', 'star', 'option', 'service', 'second', 'seat', 'ask', 'like', 'put', 'order']

Avant :     Food was ok, overpriced for breakfast food. Coffee is ridiculous @ $2.99! Service was good and fast,
Après :     ['food', 'overprice', 'breakfast', 'food', 'coffee', 'service', 'need', 'add', 'option', 'breakfast']

Avant :     Normally on Sundays, we go to Patachou for breakfast. With Comic Con, marathons, and St. Patrick's d
Après :     ['sunday', 'marathon', 'festivity', 'town', 'hour', 'wait', 'place', 'watch', 'minute', 'wait']

Avant :     I'd been waiting to try First Watch so I'd sad to say it was a disappointment.  There is a lot of va
Après :     ['waiting', 'try', 'watch', 'say', 'disappointment', 'lot', 'variety', 'menu', 'select', 'crepe']

Avant :     The four star rating this place currently has is deceiving. Waited 50 minutes for our eggs, bacon an
Après :     ['star_rating', 'place', 'deceive', 'wait_minute', 'egg_bacon', 'toast', 'arrive', 'bacon', 'rest', 'reason_star']

Avant :     The customer service was horrible. I called to place an order for pick up. The kids menu was not pos
Après :     ['customer_service', 'call', 'place', 'order', 'pick', 'kid', 'menu', 'post', 'ask', 'lady']

Avant :     Ok, so we went in at 2 am after the movies and coffee down the road. I must say the food is NOT qual
Après :     ['movie', 'coffee', 'road', 'say', 'food', 'quality', 'ask', 'bacon', 'cheese', 'fry']

Avant :     Went to have breakfast with my family yesterday morning. I had my daughter, fiancé and my fiancé's s
Après :     ['breakfast', 'family', 'yesterday', 'morning', 'daughter', 'son', 'ask', 'chair', 'daughter', 'waitress']

Avant :     My Mom loves their steak salad here, so here is my review after 2 visits...

They do make a decent b
Après :     ['mom', 'love', 'steak', 'salad', 'review', 'visit', 'make', 'breakfast', 'seem', 'fare']

Avant :     Went there for breakfast, sat at bar and waited almost an hour for food, got tired of waiting and wa
Après :     ['breakfast', 'bar', 'wait', 'hour', 'food', 'waiting', 'walk', 'clue', 'ask', 'food']

Avant :     Keep driving past this place. Horrible food with cold French fries. The iced tea was a day old at le
Après :     ['keep', 'drive', 'place', 'food', 'fry', 'ice', 'day', 'wife', 'order', 'tea']

Avant :     I've heard a lot about Five Guys for years and I finally had the chance to try it out when I came ac
Après :     ['hear', 'lot', 'guy', 'year', 'chance', 'try', 'come', 'location', 'pick', 'fry']

Avant :     My boyfriend and I went for dinner on a Friday night. We sat at the chef's bar which allows you to s
Après :     ['boyfriend', 'dinner', 'night', 'chef', 'bar', 'allow', 'see', 'food', 'prepare', 'kitchen']

Avant :     Are they closed?? Every time we stop, their sign says open but they are closed. Bummer
Après :     ['close', 'time', 'stop', 'sign', 'say', 'bummer']

Avant :     Worst experience ever!  Waited in line for over 30 min at the drive through window. Food tastes awef
Après :     ['experience', 'wait_line', 'min', 'window', 'food', 'taste', 'hummus', 'flavor', 'gyro', 'leaking']

Avant :     I am not super impressed with this place. I have eaten here a few times because I like Gyros but it 
Après :     ['impress', 'place', 'eat', 'time', 'gyro', 'stand', 'mind', 'seem', 'owner', 'cost']

Avant :     Beautiful place. Excellent food. I only gave it a 2 because they gouge you on the drinks. My manhatt
Après :     ['place', 'food', 'give', 'drink', 'glass', 'house', 'eat', 'restaurant', 'place', 'gouge']

Avant :     It's extremely overpriced, and the sandwiches are a joke. I love Mediterranean cuisine but this is o
Après :     ['sandwich', 'joke', 'city', 'place', 'eat', 'expect', 'try', 'service', 'place']

Avant :     OMG....worst hoagie I've ever eaten. Stale roll overloaded with sesame seeds. I ordered the Italian.
Après :     ['hoagie', 'eat', 'roll', 'overload', 'sesame', 'seed', 'order', 'taste', 'want']

Avant :     Juan's Flying Burrito was packed out with hipsters and we were not in the mood to wait, so we decide
Après :     ['fly', 'pack', 'hipster', 'mood', 'wait', 'decide', 'give', 'place', 'try', 'impress']

Avant :     Chicken fajitas were flavorless; the shrimp diablo, on the other hand, was overwhelmingly spicy to t
Après :     ['flavorless', 'shrimp', 'diablo', 'hand', 'point', 'taste', 'price']

Avant :     I got Pinworms twice eating here.  They have to start using gloves when handling fresh uncooked food
Après :     ['pinworm', 'eat', 'start', 'use', 'glove', 'handle', 'food']

Avant :     Definitivamente "el taco Jalisco" era el mejor, ahora birrieria y taqueria Arandas me ha decepcionad
Après :     ['amable', 'perdieron']

Avant :     This place redefines mystery meat.  It's called Kelly's Cajun Grill, yet they have nothing that's sp
Après :     ['place', 'redefine', 'mystery', 'meat', 'call', 'grill', 'appeal', 'deal', 'food', 'eat']

Avant :     I didn't like the service . The waitress barely know the menu . I asked some questions about the foo
Après :     ['service', 'waitress', 'know', 'menu', 'ask_question', 'food', 'tell', 'read', 'menu', 'environment']

Avant :     The food used to be awesome the last 3 visits have been disappointing and I'm probably not going bac
Après :     ['food', 'use', 'visit', 'flavourless', 'rib', 'rubbery', 'chicken', 'wing', 'dip', 'cornbread']

Avant :     The food is completely.over rated. The reviews are made by people who enjoy sub par dining experienc
Après :     ['food', 'rate', 'review', 'make', 'people', 'enjoy', 'sub_par', 'dining_experience', 'staff', 'see']

Avant :     Awful service!  Its a shame.   Because the pizza is ok.  I will never order from them again!
Après :     ['service', 'shame', 'pizza', 'order']

Avant :     The tomato soup was great. 
But my pizza...wow. So. Bad. It was soggy and the crust was squishy. I c
Après :     ['soup', 'rung', 'dish', 'rag']

Avant :     Very disappointed. Offer a sale on Sausage McMuffin with Egg and then they don't even make it the ri
Après :     ['offer', 'sale', 'sausage', 'mcmuffin', 'egg', 'make', 'way', 'egg', 'suppose', 'fold']

Avant :     This place is horrible I watched them microwave all our food in the plastic containers and handle tr
Après :     ['place', 'watch', 'microwave', 'food', 'plastic', 'container', 'handle', 'trash', 'cooking', 'handle']

Avant :     The food is disgusting, no beef in fried rice, egg foo young gravy clumpy and nasty. Even the crable
Après :     ['food', 'beef', 'fry_rice', 'egg', 'gravy', 'clumpy', 'rangoon', 'way', 'spot', 'cement']

Avant :     Very nice lady took my order. I stuck to my go to meal which is Crispy cashew chicken, which was a d
Après :     ['take', 'order', 'stick', 'meal', 'crispy', 'cashew', 'size', 'cashew', 'chicken', 'ok']

Avant :     Disappointed. After reading the reviews, I was looking forward to trying New China. Unfortunately th
Après :     ['reading_review', 'look', 'try', 'food', 'wife', 'like', 'order', 'chicken', 'egg', 'role']

Avant :     They don't even deserve a star worse service ever very disorganized place my mom use to work at litt
Après :     ['deserve', 'service', 'place', 'mom', 'use', 'work', 'caesar', 'stock', 'place', 'run']

Avant :     Their signature "hot-n-ready" is non-exist any here. I don't know why I keep going aside from it bei
Après :     ['signature', 'exist', 'know', 'keep', 'visit', 'hour', 'pizza', 'order', 'understand', 'order']

Avant :     Despite all the hype, I felt Dave's Dogs were severely overrated. The previous reviews were not off-
Après :     ['feel', 'dog', 'overrate', 'review', 'point', 'say', 'dog', 'dog', 'taste', 'visit']

Avant :     I've seen so many 4 and 5 star reviews, so I had to try it out. I went at opening, on a Sunday morni
Après :     ['see', 'star', 'review', 'try', 'opening', 'morning', 'service', 'issue', 'order', 'egg']

Avant :     We are from South Philly and thought that the Pork sandwich would be OK, But it was dry, not seasone
Après :     ['think', 'pork_sandwich', 'season', 'loser', 'favor', 'come', 'breakfast', 'look', 'learn', 'pork_sandwich']

Avant :     Tried dinner there recently and found the quality is very uneven.

While some noodle soup dishes and
Après :     ['try', 'dinner', 'find', 'quality', 'noodle_soup', 'dish', 'rice', 'plate', 'dish', 'food']

Avant :     This was our fourth visit, and it keeps getting worse. We ordered the roast duck lunch special with 
Après :     ['visit', 'keep', 'order', 'roast', 'fry', 'tofu', 'beef', 'beef', 'drench_sauce', 'piece']

Avant :     Are you kidding? Who is reviewing these restaurants? I seriously feel decieved. I ordered the genera
Après :     ['kid', 'review', 'restaurant', 'feel', 'order', 'general', 'daughter', 'take_bite', 'leave', 'love']

Avant :     On the way home after leaving The Chinese duck house my boyfriend and his mother started feeling ver
Après :     ['way', 'leave', 'mother', 'start', 'feel', 'start', 'throw', 'avoid', 'place', 'cost']

Avant :     This place is garbage.  The food is awful. I think its the First Chinese restaurant I've ever been t
Après :     ['place', 'garbage', 'food', 'think', 'restaurant', 'provide', 'rice', 'entree', 'beef_broccoli', 'sesame']

Avant :     This place is rather dingy looking, floors were messey, blinds should have been replaced 10 years ag
Après :     ['place', 'look', 'floor', 'blind', 'replace', 'year', 'eat', 'employee', 'sit', 'table']

Avant :     These people are rude as all Hell!!!! No one in the place but 2 customers and wouldn't let me sit wh
Après :     ['people', 'rude', 'place', 'customer', 'let', 'sit', 'want', 'man', 'dump', 'star']

Avant :     The meat dumplings were good everything else was bland. I ordered enough for lunch tomorrow but thre
Après :     ['meat', 'dumpling', 'bland', 'order', 'lunch', 'tomorrow', 'throw']

Avant :     I have been eating here literally all my life and I really feel like it's gone downhill in the past 
Après :     ['eat', 'life', 'feel', 'year', 'use', 'place', 'food', 'think', 'order', 'time']

Avant :     I don't understand the good ratings people give this place, the food is bland and the prices are hig
Après :     ['understand', 'rating', 'people', 'give', 'place', 'food', 'bland', 'price', 'home', 'takeout']

Avant :     This place's posted hours include a 10PM closing time. 

I walked in at 8:30 and, as soon as I got t
Après :     ['place', 'post', 'hour', 'include', 'pm', 'closing_time', 'walk', 'counter', 'guy', 'say']

Avant :     The afternoon lunch specials are cheap, but you get what you pay for. I have walked by this place ma
Après :     ['lunch_special', 'pay', 'walk', 'place', 'time', 'see', 'yelp_review', 'judgement', 'keep', 'today']

Avant :     I really don't recomend the place. The food didn't taste so good, and it was expensive for what I ha
Après :     ['recomend', 'place', 'food', 'taste', 'expensive']

Avant :     It's been 10 years since I've been to a Shoney's, and I'll never eat at a Shoney's again. The people
Après :     ['year', 'shoney', 'eat', 'shoney', 'people_work', 'feel', 'food', 'buffet', 'order', 'menu']

Avant :     Although the food was pretty good, I thought the wait staff was horrible.  Our drink order was all w
Après :     ['food', 'thought', 'wait', 'staff', 'drink', 'order', 'meal', 'husband', 'son', 'order']

Avant :     we did not even get to food .The first four plates on buffet were filthy with food remains.Never go 
Après :     ['food', 'plate', 'buffet', 'food', 'remain', 'deserve_star']

Avant :     I grew up on Shoney's.  I can remember when they started the breakfast buffet.  It seems that they f
Après :     ['grow', 'shoney', 'remember', 'start', 'breakfast', 'buffet', 'seem', 'forgot', 'make', 'idea']

Avant :     They did not have baked beans!!! This is prepostrious!!!! How could they not have the most basic nec
Après :     ['bean', 'necessity', 'restaurant']

Avant :     Almost an hour and a half for delivery of one pizza pie. Check out the receipt and time on the adjac
Après :     ['hour_half', 'delivery', 'pizza', 'pie', 'check', 'receipt', 'time', 'iphone', 'disappoint', 'speed']

Avant :     I am absolutely disappointed with their staff customer service. It was 40 minutes before closing at 
Après :     ['disappoint', 'staff', 'customer_service', 'minute', 'closing', 'walk', 'seem', 'finish', 'stand', 'wait']

Avant :     Pizza was really bland, didn't taste like much at all. Also the order was delivered 30 min late.
Après :     ['pizza', 'bland', 'taste', 'order', 'deliver', 'min']

Avant :     I purchased my parents a groupon for a pizza and unfortunately I must report that they said it was w
Après :     ['purchase', 'parent', 'groupon', 'pizza', 'report', 'say', 'way', 'son', 'stop', 'try']

Avant :     The pizza is off the quality of the $1.99 frozen pizzas from the budget grocery store. Better off wi
Après :     ['pizza', 'quality', 'pizza', 'budget', 'grocery_store', 'tony']

Avant :     Order was wrong. Order taker was rude. I was exited to see a taco place in town but was very let dow
Après :     ['order', 'order', 'taker', 'rude', 'exit', 'see', 'town', 'let']

Avant :     Spider, spider everywhere! Best for the Halloween day ;-) We had to literally kill a few spiders ins
Après :     ['spider', 'spider', 'halloween', 'day', 'kill', 'spider', 'washroom', 'bed', 'hotel', 'live']

Avant :     Worst hotel I ever lived. Had to take this because there wasn't anything else nearby, and we were un
Après :     ['hotel', 'live', 'take', 'city', 'night', 'search', 'hour', 'drive']

Avant :     We went to don cherrys because I had heard that it was like Boston pizza, and wanted to give it a tr
Après :     ['hear', 'want', 'give', 'try', 'thing', 'notice', 'furnature', 'look', 'beat', 'keep']

Avant :     The reviews seemed promising, maybe they had an off night, but the food here was not good. We were a
Après :     ['review', 'seem', 'promise', 'night', 'food', 'group', 'try', 'dish', 'pull_pork', 'slider']

Avant :     Although I love pretty much anything that has to do with whiskey, I'm giving this place a thumbs dow
Après :     ['love', 'whiskey', 'give', 'place', 'thumb', 'overprice', 'underwhelming', 'ambiance', 'contrive', 'type']

Avant :     I didn't like this place at all. Those devil eggs things were disgusting and this seems more of a ba
Après :     ['place', 'egg', 'thing', 'seem', 'bar', 'restaurant', 'mary']

Avant :     I've been to this neighborhood joint lots of times.  It's good for drinks, small plates.  But the br
Après :     ['neighborhood', 'lot', 'time', 'drink', 'plate', 'brunch', 'walk', 'place', 'omelet', 'today']

Avant :     AWFUL

service was fine
food was just plain bad. The chef need to be replaced along wth the menu

DO
Après :     ['service', 'food', 'chef', 'need', 'replace', 'wth', 'waste_money', 'decor', 'try', 'end']

Avant :     The food wasn't hot, overcooked, and not the way we ordered it.
The waitress was not the best and se
Après :     ['food', 'way', 'order', 'waitress', 'seem_care', 'problem', 'encounter', 'check', 'bring', 'ask']

Avant :     Slow service and cannot handle a large party of 15 to 20 people. The food was good but we had one pe
Après :     ['service', 'handle', 'party', 'people', 'food', 'person', 'party', 'receive', 'food', 'eat']

Avant :     When I go to a ramen restaurant I expect delicious fresh homemade ramen noodles. They are serving ST
Après :     ['restaurant', 'expect', 'raman', 'noodle', 'serve', 'store_buy', 'dry', 'pasta', 'raman', 'raman']

Avant :     This mcdonalds is terrible. Place is dirty, employees take too long to take an order, they mess up o
Après :     ['mcdonald', 'place', 'employee', 'take', 'take', 'order', 'mess', 'order', 'seem', 'work']

Avant :     This place really isn't that good. The atmosphere is sweet, but the food is mediocre at best. I'm al
Après :     ['place', 'atmosphere', 'food', 'type', 'pop']

Avant :     After all the great reviews I looked forward to trying Smiley's. The staff was friendly and polite. 
Après :     ['review', 'look', 'try', 'smiley', 'staff', 'falafel', 'sandwich', 'season', 'area', 'dissapointe']

Avant :     You moved! You changed! Why??? This place used to be a secret gym and now with this recent changes l
Après :     ['move', 'change', 'place', 'use', 'gym', 'change', 'lower', 'status', 'service', 'smile']

Avant :     I wish I loved this place as much as everyone else seems to.  Very average falafel, served slowly, a
Après :     ['wish', 'love', 'place', 'seem', 'falafel', 'serve', 'overprice', 'banana', 'bread', 'ok']

Avant :     I don't understand how this place has so many stars. I just had the most disgusting meal of my entir
Après :     ['understand', 'place', 'star', 'meal', 'life', 'order', 'beef', 'gyro', 'strawberry', 'banana']

Avant :     Yikes.. Almost a 2 hour wait for delivery... "He is on the way," I was told three times, and the fou
Après :     ['yike', 'hour', 'wait', 'delivery', 'way', 'tell', 'time', 'time', 'ask', 'tell']

Avant :     Sandwhich was fine (though aren't paninis normally pressed?). Service was good. My gripe is they def
Après :     ['fine', 'press', 'service', 'gripe', 'water', 'ketchup', 'couple', 'penny', 'suspect', 'pour']

Avant :     The service quality of our Sunday brunch experience was utterly unacceptable.  In our large party, f
Après :     ['service', 'quality', 'brunch', 'experience', 'party', 'half', 'plate', 'make', 'order', 'deliver']

Avant :     $94 for the worst Italian I've ever had.  The place is empty for a reason.  Calamari was chewy, seaf
Après :     ['place', 'reason', 'seafood', 'dish', 'chewy', 'veal', 'sub', 'part', 'wine', 'find']

Avant :     There is literally nothing good to say about the dining experience at Tartufo. They served us stale 
Après :     ['say', 'dining_experience', 'tartufo', 'serve', 'bread', 'gnocchi', 'cook', 'take', 'consistency', 'oatmeal']

Avant :     horrible. in Everyway. coffee
and food
taste horrible. horrible service too. Hat trick of horrible. 
Après :     ['everyway', 'coffee', 'food', 'taste', 'service', 'hat', 'trick', 'star']

Avant :     Rude staff. Food was subpar and greasy. I got a breakfast sandwich and it was greasy and soggy. Coff
Après :     ['greasy', 'breakfast', 'sandwich', 'greasy', 'coffee', 'machine', 'service']

Avant :     If I could give them zero stars, I would. This is indeed airport food, so my expectations were low, 
Après :     ['give_star', 'airport', 'food', 'expectation', 'expect', 'peruse', 'pre_make', 'salad', 'fridge', 'expire']

Avant :     Ordered food for delivery and it said it would take 45-50 minutes. After my boyfriend and I waited 4
Après :     ['order', 'food', 'delivery', 'say', 'take', 'minute', 'boyfriend', 'wait_minute', 'cancel_order', 'yelp']

Avant :     This place is no longer a gay bar. New owners purchased it in 2014 and it is now marketed as a sport
Après :     ['place', 'bar', 'owner', 'purchase', 'market', 'sport_bar']

Avant :     I'd rate this below average mexican food.  My fajita's tasted like they were made with ketchup :-(


Après :     ['rate', 'food', 'fajita', 'taste', 'make', 'ketchup', 'drive', 'drive', 'carmelita', 'review_yelp']

Avant :     Mediocre food, decent service.  Excellent fountain Coke.  My advice: If you have to eat here, use th
Après :     ['food', 'service', 'fountain', 'coke', 'advice', 'eat', 'salsa', 'way', 'add', 'flavor']

Avant :     This place wasn't bad but it's not my kind if Mexican/Tex Mex. They serve the Americanized Mexican f
Après :     ['place', 'serve', 'americanize', 'food', 'cover', 'queso', 'sauce', 'prefer', 'add', 'salsa']

Avant :     Ordered take out from here. The person at the bar acted put out by us coming to pick up our order. T
Après :     ['order', 'take', 'person', 'bar', 'act', 'put', 'come', 'pick', 'order', 'food']

Avant :     Soo disappointed. Ordered delivery and specified that it was from a hotel. They brought no utensils 
Après :     ['disappoint', 'order', 'delivery', 'specify', 'hotel', 'bring', 'utensil', 'tell', 'specify', 'change']

Avant :     Mediocre Food

The only reason this place even deserves two stars us because of the server Tom, who 
Après :     ['food', 'reason', 'place', 'deserve_star', 'server', 'take', 'care', 'displeasure', 'quality', 'food']

Avant :     Having been to over 50 Indian restaurants across the USA I can say that this is my least favorite of
Après :     ['restaurant', 'say', 'start', 'restaurant', 'table', 'fill', 'service', 'menu', 'lack', 'papadum']

Avant :     Wow new ownership and they don't care about customers that's for sure.dont go here for lunch or if y
Après :     ['ownership', 'care_customer', 'lunch', 'hurry', 'think', 'location', 'attitude']

Avant :     This nicks is the worst I've experienced! I ordered breaded wings and mozzarella fries I know that t
Après :     ['nick', 'experience', 'order', 'bread', 'wing', 'fry', 'know', 'put', 'cheese', 'condiment']

Avant :     I was so looking forward to a Pho joint in the neighborhood.

no anymore !   

Four neighbors went a
Après :     ['look', 'pho', 'neighborhood', 'neighbor', 'time', 'opinion', 'know', 'rate']

Avant :     We wanted to love it here. Waited 50 minutes and didn't get any food. All of the tables around me we
Après :     ['want', 'love', 'wait_minute', 'food', 'table', 'food', 'well', 'menu', 'look', 'food']

Avant :     Never answer the phone, the website is impossible, the food is decent but you can't order it so that
Après :     ['answer_phone', 'website', 'food', 'order', 'annoy']

Avant :     Well for starters the service was non existent no one came to even refill waters after being there f
Après :     ['starter', 'service', 'come', 'refill_water', 'min', 'egg_roll', 'come', 'watch', 'table', 'leave']

Avant :     I really wanted this place to be awesome. I eat pho very often. I arrived at 11:30 and they told me 
Après :     ['want', 'place', 'eat', 'pho', 'arrive', 'tell', 'kitchen', 'minute', 'coffee', 'mugshot']

Avant :     Chicken noodle soup I am feeling like just drop bottle water nothing test like on Delaware ave !!!!!
Après :     ['noodle_soup', 'feeling', 'drop', 'bottle', 'water', 'test']

Avant :     The kitchen is very overwhelmed in their first couple weeks open.  The restaurant was very busy and 
Après :     ['kitchen', 'overwhelm', 'couple_week', 'restaurant', 'wait_minute', 'hour', 'food', 'overhear', 'customer', 'consider']

Avant :     Came into the restaurant a little over an hour before closing and had to search for an employee to b
Après :     ['come', 'restaurant', 'hour', 'closing', 'search', 'employee', 'seat', 'server', 'seem', 'meal']

Avant :     We stood at the hostess stand for five minutes tonight with no one working there in sight. Needless 
Après :     ['stand', 'stand', 'minute', 'tonight', 'work', 'sight', 'needless', 'leave']

Avant :     Poor lighting very dark can't even see your food all the food was average. Sorry I really wanted to 
Après :     ['lighting', 'dark', 'see', 'food', 'food', 'want']

Avant :     I have heard tons of good feedback from people about this restaurant and have planned to go eat ther
Après :     ['hear', 'ton', 'feedback', 'people', 'restaurant', 'plan', 'eat', 'feel', 'bit', 'customer_service']

Avant :     Perhaps we have different tastes up here in Phx, but I thought these tacos were pretty standard. I o
Après :     ['taste', 'phx', 'think', 'order', 'fish', 'style', 'eat', 'order', 'thing', 'agree']

Avant :     Worked downtown for a few years. Nice lunch spot if you want something fast. The food isn't that gre
Après :     ['work', 'downtown', 'year', 'lunch', 'spot', 'want', 'food', 'opinion']

Avant :     Not the best ! Was expecting better ! The  corn tortillas are store bought and the salsas are old . 
Après :     ['expect', 'corn_tortillas', 'store_buy', 'rice', 'taste', 'flavor', 'rice', 'taste', 'box', 'fish']

Avant :     The reviews are so glowing here I was excited to come.
What I got was more Tucson Mexican mediocrity
Après :     ['review', 'glow', 'come', 'pricing', 'none', 'food', 'standout', 'flavor', 'standout', 'price']

Avant :     Unbelievable! Some sports bar, $5 cover charge, got wanded for guns and they didn't have any sports 
Après :     ['sport_bar', 'cover', 'charge', 'wande', 'gun', 'sport', 'video', 'loop', 'music', 'time']

Avant :     This is the worst McDonald's I have ever been too. Waited 25 minutes for food and customer service w
Après :     ['mcdonald', 'wait_minute', 'food', 'customer_service', 'order', 'coffee', 'flavor', 'take', 'order', 'money']

Avant :     Had the lamb palau. It was extremely bland, not like the ones I've had in Afghanistan. I tried to ad
Après :     ['one', 'try', 'add_salt', 'flavor', 'help', 'order', 'taste', 'garlic']

Avant :     My kabobs were really tender and I have never eaten middle eastern food so this was a treat. Since I
Après :     ['tender', 'eat', 'food', 'treat', 'lamb', 'chicken', 'beef', 'blow', 'expectation', 'rice']

Avant :     Never again!!! 
This ceviche was not fresh. And the corn nut were stale. Very gross.not to mention i
Après :     ['ceviche', 'corn', 'nut', 'mention', 'take', 'minute', 'check', 'leave', 'waitress', 'find']

Avant :     A tad pricey for what it offers. For example you get a side of sauces about 1 oz really not enough t
Après :     ['offer', 'example', 'side', 'sauce', 'use', 'sauce', 'cent', 'cost', 'cent', 'make']

Avant :     I'm Peruvian, I went to this place a couple times and always it's the same....the pollo a la brasa i
Après :     ['place', 'couple', 'time', 'pollo', 'rice', 'greasy', 'find', 'lot', 'oil', 'place']

Avant :     Give this place three chances. Today I just left the place again with nothing to eat, for some reaso
Après :     ['give', 'place', 'chance', 'today', 'leave', 'place', 'eat', 'reason', 'time', 'chicken']

Avant :     I'm peruvian and I was so dissapointed with this place. We got there and they had... NO CHICKEN!!!! 
Après :     ['dissapointe', 'place', 'chicken', 'family', 'excite', 'eat', 'deal', 'breaker', 'def', 'comming']

Avant :     I want to give this place a better review, because the food is actually pretty good. Unfortunately, 
Après :     ['want', 'give', 'place', 'review', 'food', 'thing', 'stand', 'visit', 'food', 'overprice']

Avant :     A very poor first response.
The service was so slow and the food was just okay.
Another restaurant i
Après :     ['response', 'service', 'food', 'restaurant', 'think', 'food', 'service', 'accept', 'tourist', 'care']

Avant :     Terrible service. My mother and I got the same exact order and she was charged two dollars more. The
Après :     ['service', 'mother', 'order', 'charge', 'dollar', 'waitress', 'dance', 'question', 'point', 'menu']

Avant :     Normally I would rate this Fulin's a little higher but the experience that I just went through pulle
Après :     ['rate', 'fulin', 'experience', 'pull', 'way', 'food', 'rate', 'personnel', 'work', 'place']

Avant :     I have been several times and it has been adequate. The last two times I have been there it has been
Après :     ['time', 'time', 'portion', 'diminish', 'quality', 'dish', 'follow', 'suit', 'mean', 'degree']

Avant :     Nice environment, the bartender "Jason" could use some assistance with his people skills. But I must
Après :     ['environment', 'bartender', 'jason', 'use', 'assistance', 'people', 'skill', 'remind', 'reason', 'guy']

Avant :     First and last time visiting this establishment. I ordered to go and went in to pick up the order. S
Après :     ['time', 'visit', 'establishment', 'order', 'pick', 'order', 'stop', 'hostess', 'stand', 'tell']

Avant :     Sushi was gross! And I've eaten a ton of sushi in my time. I'm sure the other food is good but do yo
Après :     ['ton', 'food', 'favor', 'skit']

Avant :     So, here we are, six weeks after my review and a response from the franchise owner that I will be co
Après :     ['week', 'review', 'response', 'franchise', 'owner', 'contact', 'management', 'response', 'cycle', 'complaint']

Avant :     Not a family environment at night.  This is the worst Hooters I've ever been to.  My wife and I both
Après :     ['family', 'environment', 'night', 'hooter', 'sandwich', 'burn', 'son', 'burger', 'leave', 'seat']

Avant :     Haven't been to Hooters in 20 years but remember great wings. Embarrassingly small wings (dove?), ce
Après :     ['hooter', 'year', 'remember', 'wing', 'wing', 'dive', 'celery', 'ranch', 'cost']

Avant :     I don't know if you can see it from the pic I uploaded but there's sauce covered straws, hair, crumb
Après :     ['know', 'see', 'pic', 'upload', 'sauce', 'cover', 'straw', 'hair', 'table', 'sit']

Avant :     They say the 3rd times the charm,not here. Maybe it's just the evening crew,I don't know. This was m
Après :     ['rd', 'time', 'charm', 'evening', 'crew', 'know', 'rd', 'time', 'charm', 'rd']

Avant :     OMG! Is the night crew here slow and frankly not too bright. Took 1/2 hour in the drive thru to get 
Après :     ['night', 'crew', 'slow', 'take', 'hour', 'drive', 'chocolate_chip', 'milk', 'shake', 'make']

Avant :     How do you run out of Sourdough Bread? It's the most popular item on the menu (Melt) ?

Food was ok 
Après :     ['run', 'bread', 'item', 'menu', 'melt', 'food', 'cost', 'burger', 'make', 'tell']

Avant :     Food good as always.  Love their shoestring like french frys and the chili 3 way. Shakes are the bes
Après :     ['food', 'love', 'shoestring', 'fry', 'way', 'shake', 'wait', 'time', 'month', 'quarter']

Avant :     I love Steaknshake but this location is so dirty! Looks like the floors haven't been mopped in a yea
Après :     ['love', 'steaknshake', 'location', 'look', 'floor', 'year', 'table_wipe', 'napkin_silverware', 'service']

Avant :     Went through the drive thru,  burgers were fried until crispy.  Frisco melt was not grilled,  employ
Après :     ['drive', 'burger', 'fry', 'melt', 'grill', 'employee', 'uncare', 'time', 'visit', 'way']

Avant :     My fries were cold and hard.. My chicken was very small. My chicken looked like it belong to a bird 
Après :     ['fry', 'chicken', 'chicken', 'look', 'belong', 'bird', 'chicken']

Avant :     Just okay. If you need a place to come and get a fancy cocktail then this is your place. Do not expe
Après :     ['need', 'place', 'come', 'cocktail', 'place', 'expect', 'service', 'come', 'drink', 'move']

Avant :     Some of the food was cold, they didn't have any of the sides I wanted, there were flies everywhere w
Après :     ['food', 'side', 'want', 'fly', 'eat', 'dining', 'take', 'dine']

Avant :     Love the food! But the customer service is HORRIBLE!! They almost never answer the phone, but they a
Après :     ['love', 'food', 'customer_service', 'answer_phone', 'answer', 'tonight', 'tell']

Avant :     I went there because i heard they have good ribs. Well i walked in and the lady said "We are not ope
Après :     ['hear', 'rib', 'walk', 'lady', 'say', 'hour', 'mind', 'place', 'serve', 'breakfast']

Avant :     Honestly I don't understand how a successful establishment can have NO HEAT meanwhile it is 15 degre
Après :     ['understand', 'establishment', 'heat', 'degree', 'wait', 'food', 'min', 'sit', 'see', 'breath']

Avant :     Came in for salmon, Mac and sweets, which was "okay". The salmon was burnt/hard and way too oily. Th
Après :     ['come', 'salmon', 'burn', 'way', 'yam', 'butter', 'roll', 'customer_service', 'establishment', 'cashier']

Avant :     I I just waited 40 minutes for food with my wife I got all the way home and they screwed up my order
Après :     ['wait_minute', 'food', 'wife', 'way', 'screw', 'order', 'place', 'customer_service', 'experience', 'wait']

Avant :     WORST MCDONALDS EVER!! Wait times in drive thru are up to 15 sometimes 20 Minutes Iv been short chan
Après :     ['mcdonald', 'wait', 'time', 'drive', 'minute', 'change', 'time', 'lady', 'receive', 'payment']

Avant :     I attempted to order a single cheeseburger meal (I clearly specified MEAL, and type of drink) and an
Après :     ['attempt', 'order', 'cheeseburger', 'meal', 'specify', 'meal', 'type', 'drink', 'tell', 'proceed']

Avant :     So disappointing on so many levels. Have been coming here for years - and the quality of food has fa
Après :     ['disappoint', 'level', 'come', 'year', 'quality', 'food', 'fall', 'cliff', 'strike', 'share']

Avant :     More like Paradise Lost.
Slow Service
Rude Staff
Food's Hit or Miss
Good Luck even getting water her
Après :     ['lose', 'service', 'rude', 'staff', 'food', 'hit', 'luck', 'water']

Avant :     Was it here that Abraham Lincoln asked, upon ordering coffee, "If this is coffee, bring me tea. If t
Après :     ['ask', 'order', 'coffee', 'coffee', 'bring', 'tea', 'tea', 'bring', 'coffee', 'food']

Avant :     F* this place. I got sick once when I was younger after the grilled mussels.  Years later I decide t
Après :     ['place', 'grill', 'mussel', 'year', 'decide', 'try', 'wife', 'pay', 'price', 'thank']

Avant :     Food was slopped on plate, asparagus was over-cooked and fish was not filleted properly.   We found 
Après :     ['food', 'slop', 'plate', 'asparagus', 'cook', 'fish', 'fillet', 'find', 'restaurant', 'walk']

Avant :     A star for the outdoor patio, and a star for a decent oak-grilled burger.

But then . . . inattentiv
Après :     ['grill', 'service', 'food', 'draft_beer', 'serve', 'glass', 'make', 'wish', 'try', 'restaurant']

Avant :     Paradise Cafe has always been consistent and good.  Unfortunately the last few times I have eaten th
Après :     ['consistent', 'good', 'time', 'eat', 'service', 'refill', 'forget', 'item', 'server', 'seem']

Avant :     I have gone there many times with a group of friends over the years just come along. But last night 
Après :     ['time', 'group', 'friend', 'year', 'come', 'night', 'time', 'screw', 'order', 'server']

Avant :     Food was ok, non attentive server, but the major downfall was the management. Axxess advertises buy 
Après :     ['food', 'server', 'downfall', 'management', 'axxess', 'advertise', 'buy', 'entree', 'appetizer', 'everytime']

Avant :     Late meal after flight, steak tips app cooked a perfect medium rare, spinach dip app was average.

2
Après :     ['meal', 'flight', 'steak', 'tip', 'app', 'cook', 'spinach', 'dip', 'meal', 'lunch_today']

Avant :     I wasn't to pleased with Fatty's, our server was rude and open about his dissatisfaction with us ask
Après :     ['server', 'dissatisfaction', 'ask', 'thing', 'menu', 'drink', 'beer', 'price', 'food']

Avant :     Please  be careful when you order food to go from this restaurant. Their website is not updated and 
Après :     ['order', 'food', 'restaurant', 'website', 'update', 'employee', 'forget', 'provide', 'information', 'customer']

Avant :     Came in for lunch during the weekend.  Despite being fairly empty, the staff seemed bothered by our 
Après :     ['come', 'lunch', 'weekend', 'staff', 'seem', 'presence', 'food', 'cook', 'season', 'cheese']

Avant :     Poor service. 7:30 pm tonight wasn't a terribly busy, but the bar staff acted spent. We waited 20 mi
Après :     ['service', 'pm', 'tonight', 'bar', 'staff', 'act', 'spend', 'wait_minute', 'make', 'eye_contact']

Avant :     The main feature- fried chicken, was not remarkable.  Many other places in town have better.  The ma
Après :     ['feature', 'fry', 'chicken', 'place', 'town', 'potato', 'seem', 'make', 'scratch', 'price']

Avant :     The worst fried chicken I've ever had. The nastiest/saltiest mac and cheese I've ever had. I almost 
Après :     ['fry', 'chicken', 'saltiest', 'cheese', 'vomit', 'eat', 'food', 'visit', 'place', 'stick']

Avant :     The service is slow (20+ minutes for a drink? It's not like I ordered a Pousse-Cafe, y'all, it was a
Après :     ['service', 'minute', 'drink', 'order', 'drink', 'prepare', 'guest', 'disappoint', 'chicken_breast', 'boneless']

Avant :     Nothing like a 9 dollar plate of French fries with a side a chicken. Topped with slow service in an 
Après :     ['dollar', 'plate', 'fry', 'side', 'top', 'service', 'restaurant']

Avant :     Not that great. I had the chicken, macaroni and cheese, brussels sprouts, and bread pudding. The ski
Après :     ['cheese', 'sprout', 'bread_pudding', 'skin', 'fry', 'chicken', 'part', 'lack', 'salt', 'feel']

Avant :     I hate to give it such a low rating because the staff truly is great, but the mediocre food at way t
Après :     ['hate', 'give', 'rating', 'staff', 'food', 'way', 'price', 'cut', 'eat', 'recommend']

Avant :     Had early dinner in Saturday around 5:30. Sat outside. Not set up yet. Although chicken was hot and 
Après :     ['dinner', 'sit', 'set', 'chicken', 'problem', 'mash_potato', 'luke', 'send', 'tell', 'dining']

Avant :     Found this restaurant on the A-list page so I thought I was going to be Great ! Buuut This place is 
Après :     ['find', 'restaurant', 'list', 'page', 'think', 'buuut', 'place', 'chicken', 'fun', 'size']

Avant :     We had a less than mediocre dining experience at Basil Spice last Saturday. We ordered a Thai Iced C
Après :     ['dining_experience', 'basil', 'spice', 'order', 'ice', 'coffee', 'taste', 'bag', 'sugar', 'appetizer']

Avant :     I am searching for a decent Thai place in the city, and we had Basil Spice delivered a few months ag
Après :     ['search', 'basil', 'spice', 'deliver', 'month', 'try', 'order', 'delivery', 'woman', 'phone']

Avant :     Not sure what happened to this place. A few years back I really loved it, but every time I've gone i
Après :     ['happen', 'place', 'year', 'love', 'time', 'food', 'pad', 'mediocre', 'flavor', 'make']

Avant :     Went on a Saturday night around 6, there was only 1 other table seated. The staff were very nice, an
Après :     ['night', 'table', 'staff', 'service', 'decor', 'atmosphere', 'bit', 'seem', 'need', 'clean']

Avant :     I got this as delivery on Skip the Dishes. The delivery experience was great, but I thought the food
Après :     ['delivery', 'skip', 'dish', 'delivery', 'experience', 'thought', 'food', 'chicken', 'packaging', 'leak']

Avant :     The interior is dark and cave-like...all walls and ceiling are painted brown.  Maybe, so it is hard 
Après :     ['cave', 'wall', 'ceiling', 'paint', 'tell', 'need', 'clean', 'start', 'tasteless', 'leave']

Avant :     Ordered from them via POSTMATES. My coworker pretty much finished his sweet and sour dish when disco
Après :     ['order', 'postmate', 'coworker', 'finish', 'dish', 'discover', 'bug', 'cook', 'call', 'report']

Avant :     This tastes like what McDonald's would try to pass as Thai food. I swear their curry had corn syrup 
Après :     ['taste', 'mcdonald', 'try', 'pass', 'corn', 'way', 'food', 'eat', 'way', 'reviewer']

Avant :     after multiple visits I won't go again.  there are plenty of other places on both sides of their ent
Après :     ['visit', 'place', 'side', 'entrance', 'food', 'dish', 'taste', 'service', 'stunk', 'difference']

Avant :     We went there very late at night. Place smelled a little weird. Food was below average, potstickers 
Après :     ['night', 'place', 'smell', 'food', 'potsticker', 'greasy', 'smell', 'oil', 'know']

Avant :     Sure, it's good...if you even get what you ordered.  
I've ordered from this place several times fro
Après :     ['order', 'order', 'place', 'time', 'work', 'postmate', 'know', 'restaurant', 'say', 'time']

Avant :     Kao soy was basically curry water soup with no flavor. I didn't get asked what spice level I wanted.
Après :     ['soy', 'curry', 'ask', 'spice', 'level', 'want', 'service', 'receive', 'sense_urgency', 'figure']

Avant :     The worst Thai food I have ever had. Ordered masaman curry and the potatoes were raw. Took about 40 
Après :     ['food', 'order', 'take', 'minute', 'food', 'plate', 'come', 'minute', 'chicken', 'piece']

Avant :     don't expect to see any basil in your meal. in fact all the veggies are cheap  and frozen. it shows 
Après :     ['expect', 'basil', 'meal', 'fact', 'veggie', 'show', 'flavor']

Avant :     Ordered through Groupon. Service is good, but food is meh. The poh-taek soup is not nearly worth the
Après :     ['order', 'groupon', 'service', 'food', 'meh', 'soup', 'price', 'way', 'tart', 'spicy']

Avant :     Only ate here once.   The place looked ok but after we ate we had to stop at McDonalds because the p
Après :     ['eat', 'place', 'look', 'ate', 'stop', 'mcdonald', 'portion', 'eat', 'husband', 'liver']

Avant :     I was not very impressed. For starters, since when is tzatziki made with sour cream? The rice pilaf 
Après :     ['starter', 'make', 'cream', 'rice', 'taste', 'minute', 'rice', 'vegetable', 'second', 'pureed']

Avant :     The worst greek food I had ever eaten. The octopus was burnt and chewy. the rice flavorless, the cod
Après :     ['food', 'eat', 'octopus', 'burn', 'chewy', 'rice', 'flavorless', 'cod', 'salad', 'saggy']

Avant :     I had the gyro plate and was totally dissatisfied.   The meat was so dry.  The Turkish and Israeli s
Après :     ['gyro', 'plate', 'meat', 'shwarma', 'way', 'server', 'food', 'priority', 'bakery', 'store']

Avant :     This is my first review on yelp and I am doing this just to try and restore the name of Greek food.

Après :     ['review_yelp', 'try', 'restore', 'name', 'greek', 'food', 'visit', 'restaurant', 'week', 'time']

Avant :     I guess tourists make up about 95% of the customers here. Typical Greek food. Nothing special. There
Après :     ['guess', 'tourist', 'make', 'customer', 'food', 'greek', 'restaurant', 'food', 'area', 'place']

Avant :     Food: Good, Price: HIGH, Atmosphere: Quaint (flies flying on food), Service: Good, Accommodating: VE
Après :     ['food', 'price', 'atmosphere', 'quaint', 'fly_fly', 'food', 'service', 'accommodate', 'kid', 'ask']

Avant :     Sat Sat down immediately was served drinks quickly. The salad was enough for a crowd. We fought over
Après :     ['sit', 'serve', 'drink', 'salad', 'crowd', 'fight', 'bread', 'dip', 'dress', 'coke']

Avant :     Used to be a go to for me. Tried to hit this one in the Harrah's Casino and it's the worst ever. Tak
Après :     ['use', 'try', 'hit', 'casino', 'take', 'hour', 'food', 'time', 'hotdog', 'time']

Avant :     The food took 40 minutes to come when it was super empty in there. Then it was my sons birthday and 
Après :     ['food', 'take', 'minute', 'come', 'son', 'birthday', 'waitress', 'say', 'sing', 'birthday']

Avant :     We waited almost an hour for pancakes and scrambled eggs! When we asked the server how long it'll ta
Après :     ['wait', 'hour', 'pancake', 'scramble_egg', 'ask', 'server', 'take', 'hie', 'respond', 'people_work']

Avant :     All I can say is stay away from this place. I waited for half an hour for my server to get my order 
Après :     ['say', 'stay', 'place', 'wait', 'hour', 'server', 'order', 'silver', 'plate', 'show']

Avant :     My bestie and I decided to eat here after a long night of bar hopping lol. We were looking at restau
Après :     ['decide', 'eat', 'night', 'bar', 'hop', 'lol', 'look', 'restaurant', 'stay', 'arrive']

Avant :     DON'T GO TO THIS IHOP. We waited for 15 minutes to even get a seat and there were two ladies already
Après :     ['ihop', 'wait_minute', 'seat', 'lady', 'wait', 'manager', 'look', 'friend', 'manager', 'attention']

Avant :     Food was good but service was poor. Apparently they ask that you order before you sit but when we wa
Après :     ['food', 'service', 'ask', 'order', 'sit', 'walk', 'greet', 'sit', 'take_min', 'wait']

Avant :     Went there about a month ago based on a recommendation from my in-laws..portion sizes were large I j
Après :     ['month', 'base', 'recommendation', 'law', 'portion_size', 'wish', 'food', 'expect', 'mother', 'law']

Avant :     Most unwelcoming place I've ever been to.  I hope their food is good because this place doesn't do i
Après :     ['unwelcome', 'place', 'hope', 'food', 'place', 'bar', 'stay_hotel', 'restaurant', 'want', 'watch']

Avant :     This place is so sad. Only come here if you are willing to cry a little bit inside. Seriously, I do 
Après :     ['place', 'come', 'cry', 'bit', 'know', 'people', 'place', 'food', 'service', 'people']

Avant :     Food was ok. Our bartender was a sweetheart but I was a little taken back by the fact that the owner
Après :     ['food', 'bartender', 'sweetheart', 'take', 'fact', 'owner', 'mod', 'come', 'meal', 'reprimand']

Avant :     We ordered some food from Favela Chic via Uber Eats and got our food with no utensils, no salsa, no 
Après :     ['order', 'food', 'uber_eat', 'food', 'utensil', 'salsa', 'napkin', 'try', 'call', 'number']

Avant :     I am a little confused by this place. I had asked around for somewhere to get take out, and someone 
Après :     ['place', 'ask', 'take', 'direct', 'look', 'pizza', 'bar', 'try', 'order', 'pizza']

Avant :     Kicked everyone out at 1:40, despite their door saying 2:00 am close. Clearly just wanted our money 
Après :     ['kick', 'door', 'say', 'want', 'money', 'want', 'leave', 'bartender', 'bouncer', 'jerk']

Avant :     What a joke. If I could leave 0 stars I would. Waited at the bar for hours for a seat (would be 30 m
Après :     ['joke', 'leave', 'star', 'wait', 'bar', 'hour', 'seat', 'min', 'catch', 'bartender']

Avant :     This place is the absolute worst. Not only were there cockroaches in the bathroom but the doorman an
Après :     ['place', 'cockroach', 'bathroom', 'doorman', 'manager', 'threaten', 'arrest', 'friend', 'kill', 'cockroach']

Avant :     I love the roast beef sandwich at the Locust St location, but the wait for a table there was 30 min.
Après :     ['love', 'roast_beef', 'wait', 'table', 'min', 'call', 'location', 'ask', 'menu', 'girl']

Avant :     Food: decent
Beer selection: ok
Service: poor
Location: great

Could be a 4 star type place if the s
Après :     ['food', 'beer_selection', 'service', 'location', 'star', 'type', 'place', 'staff', 'point']

Avant :     What? I can't hear you? Wow we've been to a million places and this place is the LOUDEST ever. Ever.
Après :     ['hear', 'place', 'place', 'miss', 'acoustic', 'memo', 'sound', 'panel', 'install', 'absorb']

Avant :     We have always enjoyed our dinner here, but tonight we walked in sat down waited 10 minutes without 
Après :     ['enjoy', 'dinner', 'tonight', 'walk', 'sit', 'wait_minute', 'wait', 'walk', 'acknowledge', 'walk_door']

Avant :     This is the worst Japanese restaurant that I've been to. Not only did our order of sushi didn't come
Après :     ['restaurant', 'order', 'come', 'submit', 'order', 'wait', 'food', 'staff', 'come', 'ask']

Avant :     The food is bland but it'll hit the spot for you if you are looking for a quick in and out. They are
Après :     ['food', 'bland', 'hit', 'spot', 'look', 'work']

Avant :     I can't really rate or comment on the food, the front counter help seemed nice and courteous .. but 
Après :     ['rate', 'comment', 'food', 'counter', 'help', 'seem', 'disappointment', 'buy', 'part', 'franchise']

Avant :     Not the best KFC.  I ordered a family dinner, but apparently it just comes with loads of wallpaper p
Après :     ['order', 'family', 'dinner', 'come', 'wallpaper', 'paste', 'mash_potato', 'side', 'prunt', 'menu']

Avant :     Too many problems to note.  Bad service; seem to be or are currently unavailable one type of chicken
Après :     ['problem', 'note', 'service', 'seem', 'type', 'chicken', 'miss_item', 'drive', 'order', 'list']

Avant :     This particular KFC gets one star only because I can't give it zero stars. How is it that the last t
Après :     ['kfc', 'star', 'give_star', 'time', 'couple_month', 'restaurant', 'container', 'bean', 'water', 'time']

Avant :     The worst KFC around!! They never get our order right and the manager is so rude!!! The food is good
Après :     ['kfc', 'order', 'manager', 'staff', 'manager', 'fact', 'order', 'let_know', 'management']

Avant :     Sadly, neither corporate nor the restaurant care about the food quality. Corporate 2as not even goin
Après :     ['restaurant', 'care', 'food', 'quality', 'tell', 'restaurant', 'complaint', 'location', 'lose', 'family']

Avant :     The food had no flavor. They were out of grape leaves and they never told us. They just sent somethi
Après :     ['food', 'flavor', 'grape', 'leave', 'tell', 'send', 'order', 'try', 'give_chance', 'chance']

Avant :     Bad value. $10 for a turkey sandwich with lettuce. If you order a sandwich, expect to pay extra for 
Après :     ['value', 'turkey', 'sandwich', 'lettuce', 'order', 'sandwich', 'expect', 'pay', 'basic', 'tomato']

Avant :     When I presented an entertainment coupon and met all the coupon requirements, they still tried to fi
Après :     ['present', 'entertainment', 'coupon', 'meet', 'coupon', 'requirement', 'try', 'find', 'knit', 'excuse']

Avant :     A 45 minute wait? The "pickle bar" was a paltry 3 trays of the same kind of pickle and some coleslaw
Après :     ['wait', 'pickle', 'bar', 'paltry', 'tray', 'coleslaw', 'see', 'someone', 'fry', 'look']

Avant :     i got a corned beef sandwich there before, and it  was fairly good. today, i was really excited for 
Après :     ['corn_beef', 'sandwich', 'today', 'excite', 'hoagie', 'order', 'chicken', 'salad', 'hoagie', 'spread']

Avant :     The food here is decent, but the service is terrible. The last time we ate here, the waitress would 
Après :     ['food', 'service', 'time', 'eat', 'waitress', 'give', 'time', 'need', 'walk', 'sentence']

Avant :     I did not have a problem with the restaurant my food was good I got the steak sandwich with the Fren
Après :     ['problem', 'restaurant', 'food', 'steak', 'sandwich', 'onion_soup', 'place', 'presentable', 'recommend', 'restaurant']

Avant :     Pathetic service. We ordered the food and waited for 20 mins, the pager didn't ring for another 10 m
Après :     ['service', 'order', 'food', 'wait_min', 'pager', 'ring', 'min', 'wait_min', 'check', 'order']

Avant :     Have been going to this Panera for a steady week now being on vacation in this area.
Panera is a gre
Après :     ['panera', 'week', 'vacation', 'area', 'panera', 'place', 'selection', 'coffee', 'panera', 'quality']

Avant :     Unless you have gray hair , are over 45 and appear wealthy , don't expect to get good service . My g
Après :     ['hair', 'appear', 'expect', 'service', 'girlfriend', 'sit', 'witness', 'waitress', 'cut', 'couple']

Avant :     Went here in January and it was great . The meal included a salad . Went back in Feb. and got charge
Après :     ['include', 'salad', 'charge', 'salad', 'price', 'increase', 'sperry', 'give', 'salad', 'bar']

Avant :     Went here for brunch today. The service was veeeerrry slow...... They served biscuits while we were 
Après :     ['brunch', 'today', 'service', 'veeeerrry', 'serve', 'biscuit', 'wait', 'biscuit', 'food', 'way']

Avant :     Steaks are ok but pricey.  The bisque was terrible.  Bread was good.  Haven't been back.
Après :     ['steak', 'bisque', 'bread']

Avant :     What kind of establishment sells rotten fish?

It is absolutely unacceptable to sell rotten food!

O
Après :     ['establishment', 'sell', 'fish', 'sell', 'food', 'food_poisoning', 'miss', 'flight', 'extend', 'hotel']

Avant :     Over-promises, and under-delivers. Quoted 12pm delivery and not only was 30 min late but also forgot
Après :     ['promise', 'deliver', 'quote', 'delivery', 'min', 'forget', 'bring', 'soda', 'order', 'say']

Avant :     Sorry that I wasted my time walking inside this pizza shop.  Employees completely ignored me.  They 
Après :     ['waste_time', 'walk', 'pizza', 'shop', 'employee', 'ignore', 'waas', 'line', 'put', 'money']

Avant :     I found this to be bland, uninspired pizza.  Edible but not great.
Après :     ['find', 'pizza']

Avant :     The food was ok, but the service was disorganized. No waitress seemed to know what they were doing o
Après :     ['food', 'service', 'waitress', 'seem', 'know', 'table', 'take', 'time', 'acknowledge', 'place']

Avant :     We have gone here twice in about 15 months. The first time the food was less then favorable and the 
Après :     ['month', 'time', 'food', 'time', 'today', 'figure', 'give', 'try', 'gotten', 'waiting']

Avant :     Five employees standing in front of the door right when you walk in with their arms crossed chatting
Après :     ['employee', 'stand', 'door', 'walk', 'arm', 'cross', 'chat', 'table', 'sit', 'restaurant']

Avant :     I really looked forward to the breakfast date hear knowing it had good reviews. All I can say is I w
Après :     ['look', 'breakfast', 'date', 'hear', 'know', 'review', 'say', 'disappoint', 'price', 'portion']

Avant :     The food was not good at all. Tacos were soggy, rice was hard tasted like yesterdays rice, ordered C
Après :     ['food', 'taco', 'soggy', 'rice', 'taste', 'rice', 'order', 'tell', 'make', 'chile']

Avant :     I had the chicken enchiladas eduardo combo plate.  It was pretty meh.  Very creamy sauce, no flavor 
Après :     ['eduardo', 'combo', 'plate', 'chip', 'bland', 'service', 'nice', 'try', 'idea', 'chipotle']

Avant :     I felt compelled to write a review as I witnessed the most disgusting thing. There was a worker ther
Après :     ['feel', 'compel', 'write_review', 'witness', 'thing', 'worker', 'smoke', 'see', 'kid', 'come']

Avant :     The place was clean, the staff was very nice, my order came out fast, which is all very nice,.......
Après :     ['place', 'staff', 'order', 'come', 'seem', 'notch', 'idea', 'people', 'love', 'place']

Avant :     When I actually lived in Philly, I never ate at Marathon Grill. I must have been smarter back then. 
Après :     ['live', 'eat', 'marathon', 'grill', 'smarter', 'kitchen', 'town', 'visitor', 'try', 'morning']

Avant :     This place is all-show, no-go.  It looks nice and they are always in good locations.  But the food i
Après :     ['show', 'look', 'location', 'food', 'average', 'work', 'order', 'lunch', 'marathon', 'grill']

Avant :     I'm really struggling to understand why there are so many of these in Philly. Maybe it was the fact 
Après :     ['struggle', 'understand', 'fact', 'find', 'price', 'food', 'service', 'meh', 'come', 'group']

Avant :     Break's my heart to leave a bad review for this place but they earned it.
I bring in 11 people for l
Après :     ['break', 'heart', 'leave', 'review', 'place', 'earn', 'bring', 'people', 'lunch', 'hand']

Avant :     OK, so... the person who loooooves the aforementioned eclairs must not get out much, because I final
Après :     ['person', 'looooove', 'eclair', 'try', 'texture', 'sun', 'dry', 'cardboard']

Avant :     My husband ordered 2 boxes of pizza and garlic bread twist w/ extra garlic sauce on the side at 10:3
Après :     ['husband', 'order', 'box', 'pizza', 'garlic_bread', 'twist', 'garlic', 'sauce', 'side', 'wait']

Avant :     The food is great, but I just waited 20 minutes for a carry out order.  I called in at 12:07, my cre
Après :     ['food', 'wait_minute', 'carry', 'order', 'call', 'credit_card', 'swipe', 'leave', 'need', 'office']

Avant :     My first trip was awful, so I gave it a second chance. 

Both times, my poached eggs for Eggs Benedi
Après :     ['trip', 'give_chance', 'time', 'poach', 'egg', 'egg_benedict', 'cook', 'time', 'take', 'bill']

Avant :     Thought we would stop in eat after the gym. It was a little busy. Well,  we were never approached by
Après :     ['thought', 'stop', 'eat', 'gym', 'approach', 'sit', 'ignore', 'leave', 'stop', 'hostess']

Avant :     This place is nothing but hype. There is nothing here that you can't get lots of other places that c
Après :     ['place', 'hype', 'lot', 'place', 'prepare', 'serve', 'exception', 'doubt', 'find', 'bread']

Avant :     Breakfast was swing and a miss for me.  I want to like this place so much, but despite being a diner
Après :     ['breakfast', 'swing', 'miss', 'want', 'place', 'focus', 'breakfast', 'think', 'shine', 'dinner']

Avant :     Absolutely horrible experience. Food was terrible no presentation never got the salad chicken piccat
Après :     ['experience', 'food', 'presentation', 'salad', 'chicken', 'caper', 'lemon', 'drench', 'oil', 'butter']

Avant :     I ordered $30 worth of dinner with a two liter soda.  They failed to deliver the soda and when I cal
Après :     ['order', 'dinner', 'liter', 'soda', 'fail', 'deliver', 'soda', 'call', 'say', 'time']

Avant :     Wow I just cant really say anything good about this place. I made the mistake of ordering sushi with
Après :     ['say', 'place', 'make', 'order', 'life', 'leave', 'food', 'take', 'come']

Avant :     This place was only okay. I have high expectations for a brunch place, especially one in Nashville. 
Après :     ['place', 'expectation', 'brunch', 'place', 'nashville', 'order', 'salad', 'dollar', 'blackberry', 'arugula']

Avant :     This place is a total tourist spot. It DOES NOT live up to the hype AT ALL!

Service is great. The f
Après :     ['place', 'tourist', 'spot', 'hype', 'service', 'food', 'come', 'staff', 'enjoy', 'bonut']

Avant :     Went to finally try this after hearing so much about it. First of all parking is very challenging as
Après :     ['try', 'hear', 'parking', 'challenge', 'village', 'problem', 'line', 'order', 'order', 'benny']

Avant :     If you want good Southern style food do not go to Biscuit Love. Being from the south, I am offended 
Après :     ['want', 'style', 'food', 'biscuit', 'love', 'offend', 'food', 'tourist', 'know', 'biscuit_gravy']

Avant :     expensive for what it is. I got the potatoes and sausage with a fried egg medium. the dish has onion
Après :     ['potato', 'sausage', 'fry', 'egg', 'medium', 'dish', 'onion', 'bell_pepper', 'sausage', 'potato']

Avant :     Trendy, hip, interesting...all accurate descriptions.  That's it... Food is overpriced and no good. 
Après :     ['hip', 'description', 'food', 'overprice', 'benny', 'bland', 'biscuit', 'recipe', 'taste', 'come']

Avant :     The semi cute decor is the only thing pleasing about this place. If you're going to put Biscuit in t
Après :     ['thing', 'place', 'put', 'biscuit', 'name', 'business', 'biscuit', 'darn', 'word', 'southerner']

Avant :     Very attractive space and kind staff but it did not make up for poor food. I ordered a breakfast sal
Après :     ['space', 'staff', 'make', 'food', 'order', 'breakfast', 'salad', 'suppose', 'potato', 'rock']

Avant :     Is this a cafeteria style brunch? You walk in, place your order and sit down with a number. Took for
Après :     ['cafeteria_style', 'brunch', 'walk', 'place', 'order', 'sit', 'number', 'take', 'drink', 'want']

Avant :     Their pizza is pretty good, service is usually cool inside. But today I ordered a delivery for the f
Après :     ['pizza', 'service', 'today', 'order', 'delivery', 'time', 'driver', 'insult', 'door', 'ask']

Avant :     I am so done with this franchise. 

 We had been ordering from them almost weekly since they opened 
Après :     ['franchise', 'order', 'open', 'pizza', 'topping', 'spicy', 'sauce', 'light', 'crust', 'decline']

Avant :     I usually come here once every 2 years only to find that yes, the food is still pretty bland...well,
Après :     ['come', 'year', 'find', 'food', 'bland', 'try', 'breakfast', 'try', 'dinner', 'food']

Avant :     Had never stopped in here before and never will again. Like an episode of Kitchen Nightmares- I kept
Après :     ['stop', 'episode', 'kitchen', 'nightmare', 'keep', 'look', 'ramsay', 'place', 'take', 'time']

Avant :     The establishment is very appealing by sight and cleanliness. Unfortunately the food is not. We orde
Après :     ['establishment', 'appeal', 'sight', 'cleanliness', 'food', 'order', 'omelette', 'egg', 'salad', 'sandwich']

Avant :     Horrible experience!
They had a menu full of things they didn't have in the kitchen.  They changed o
Après :     ['experience', 'menu', 'thing', 'kitchen', 'change', 'waitress', 'customer', 'advertise', 'give', 'order']

Avant :     Stopped in late one recent Friday evening for a bite after a night at nearby Curtin's. Our server, I
Après :     ['stop', 'evening', 'bite', 'night', 'server', 'specify', 'name', 'seem', 'focus', 'take']

Avant :     This was the worst diner I ever been to in my life. For diners my expectations aren't much so I usua
Après :     ['diner', 'life', 'diner', 'expectation', 'stick', 'fry', 'food', 'freeze', 'food', 'throw']

Avant :     Not the best location as far as accessibility and consistence but leaps better than any other Santa 
Après :     ['location', 'accessibility', 'consistence', 'leap', 'say', 'ventura', 'location', 'taste', 'edit', 'chicken']

Avant :     I'm visiting from out of town and figured why not same as home. Food is always great but the service
Après :     ['visit', 'town', 'figure', 'home', 'food', 'service', 'employee', 'look', 'request', 'veggie']

Avant :     They mess up my order every time I call one in. They need to focus less on speed of service and more
Après :     ['mess', 'order', 'time', 'call', 'need', 'focus', 'speed', 'service', 'accuracy']

Avant :     Ok...my last visit was way back in 2012 and I wasn't impressed. 

The coupon I received in the mail 
Après :     ['visit', 'impress', 'coupon', 'receive', 'mail', 'offer', 'burrito', 'lure', 'impress', 'salsa']

Avant :     This location is the worst one I've ever been to. The food was so salty I couldn't even eat it. I he
Après :     ['location', 'food', 'salty', 'eat', 'hear', 'customer', 'say', 'thing', 'manager', 'rude']

Avant :     Mediocre at best. They do a great job here with decor. You think you're at a great Mexican restauran
Après :     ['mediocre', 'job', 'think', 'restaurant', 'decor', 'scream', 'take', 'gringo', 'money', 'hostess']

Avant :     I was craving Mexican food & thought of Casa Garcia... We went tonight & omg I know I don't ever hav
Après :     ['crave', 'food', 'think', 'tonight', 'omg', 'know', 'service', 'food', 'taste', 'nuke']

Avant :     Terrible food!! You'd be better off just going to taco hell (taco bell). Figured the enchiladas woul
Après :     ['food', 'figure', 'enchilada', 'sauce', 'use', 'flavor', 'come', 'bean', 'doubt', 'mind']

Avant :     The person that recommended this place swore it was awesome so we went, Umm yeah I wasn't too impres
Après :     ['person', 'recommend', 'place', 'let', 'explain', 'fan', 'restaurant', 'serve', 'sauce', 'base']

Avant :     The chips and salsa were delish. The service however is lacking. The Mexican waitress who attended u
Après :     ['chip_salsa', 'service', 'lack', 'waitress', 'attend', 'act', 'want', 'mom', 'ask_question', 'waitress']

Avant :     If I could give zero stars, I would. This is the most disgusting place I've ever been to. The food i
Après :     ['give_star', 'place', 'food', 'process', 'doubt', 'make', 'house', 'want', 'process', 'food']

Avant :     I like the atmosphere inside this place, but the food is only so-so for me.  My wife and I went rece
Après :     ['atmosphere', 'place', 'food', 'wife', 'fun', 'waiter', 'food', 'price', 'write_home', 'parking_lot']

Avant :     My husband and I took my 89 year old mother to Siamese Princess tonight. We were there many years ag
Après :     ['husband', 'take', 'year', 'mother', 'princess', 'tonight', 'year', 'mom', 'live', 'area']

Avant :     I really wanted to like this, because it is close to our new house. The Tom Yum soup was OK, as were
Après :     ['want', 'close', 'spring_roll', 'basic', 'noodle', 'pad', 'noodle', 'taste', 'garlic', 'noodle']

Avant :     The restaurant was very clean and the service was good and friendly. The tastes were interesting. I 
Après :     ['restaurant', 'service', 'taste', 'buddha', 'dumpling', 'appetizer', 'friend', 'meet', 'fish', 'overcome']

Avant :     I just ate at Siamese Princess and was completely underwhelmed.  Nothing about the food was memorabl
Après :     ['eat', 'princess', 'underwhelme', 'food', 'lack', 'complexity', 'flavor', 'heat', 'use', 'enjoy']

Avant :     So we moved to the Main Line from the City a few weeks ago. We've been in search of good Thai since.
Après :     ['move', 'line', 'city', 'week', 'search', 'thai', 'base_yelp', 'review', 'try', 'princess']

Avant :     This place is a hoot (if you've had one of their jumbo margaritas).

I'd never heard of Iggy's and e
Après :     ['place', 'hoot', 'margarita', 'hear', 'iggy', 'expect', 'food', 'bean', 'way', 'atmosphere']

Avant :     I was hear about a year ago for lunch and never planned on going back. 

"How is this place still in
Après :     ['hear', 'year', 'lunch', 'plan', 'place', 'business', 'ask', 'allow', 'friend', 'mine']

Avant :     I read at least 30 reviews before I decided to eat here. The only thing that was good was the oyster
Après :     ['read_review', 'decide', 'eat', 'thing', 'oyster', 'dry', 'space', 'cramp', 'people', 'back']

Avant :     Earwig (bug) crawling around on the seared tuna salad. We started with the boudin balls & crab claws
Après :     ['crawl', 'sear', 'tuna', 'salad', 'start', 'ball', 'crab', 'claw', 'bug', 'crawl']

Avant :     Oysters are awesome! Rest of there Food was not that great and employees acted like they did not wan
Après :     ['oyster', 'rest', 'food', 'employee', 'act', 'want', 'seafood', 'road']

Avant :     Cold food does not rock my boat. I had a soft shell crab Poboy and my husband had grilled shrimp. I 
Après :     ['food', 'rock', 'boat', 'crab', 'husband', 'grill', 'think', 'serve']

Avant :     Yikes! We came to NOLA for great seafood and this place was SO disappointing.  We waited about 15 mi
Après :     ['yike', 'come', 'place', 'disappoint', 'wait_minute', 'drink', 'order', 'decide', 'place', 'food']

Avant :     Honestly, I've had better. Parking is mostly on rocky surface.  Entrance to the parking is not clear
Après :     ['parking', 'surface', 'entrance', 'parking', 'drive', 'lower', 'sport', 'car', 'wait', 'hour']

Avant :     Grilled fish and Harbor potatoes floating in some type of greasy substance.  Lettuce in salad brown 
Après :     ['grill', 'fish', 'harbor', 'potato', 'float', 'type', 'greasy', 'substance', 'lettuce', 'salad']

Avant :     I read the great reviews on Yelp and decided to give it a try. "Meh" sums up my experience. I got th
Après :     ['read_review', 'yelp', 'decide', 'give', 'try', 'meh', 'sum', 'experience', 'fry', 'seafood']

Avant :     We went to get crawfish for Father's Day. When I was peeling them they were like mush. Not all of th
Après :     ['day', 'peel', 'mush', 'flavor', 'cook', 'order', 'eggplant', 'crawfish', 'sauce', 'husband']

Avant :     The service at this place stinks. My wife and I sat at the bar and the blonde bar tender didn't even
Après :     ['service', 'place', 'stink', 'wife', 'sit_bar', 'bar_tender', 'look', 'order', 'food', 'minute']

Avant :     It was ok.... Some locals told us this was the place to go... We were kind of disappointed. Then the
Après :     ['local', 'tell', 'place', 'waitress', 'charge', 'friend', 'card']

Avant :     Out town with my friends and decide to eat here because it was highly rated and close to our hotel. 
Après :     ['town', 'friend', 'decide', 'eat', 'rate', 'hotel', 'part', 'experience', 'seafood_gumbo', 'dank']

Avant :     hungh....


A lot of inflated reviews I think...

Bar was pretty dirty, my elbows stuck to the raili
Après :     ['hungh', 'lot', 'review', 'think', 'bar', 'elbow', 'stick', 'rail', 'service', 'order']

Avant :     I got to go food for my hubby and I. Granted I live a good 35 minutes from here but I travel for goo
Après :     ['food', 'hubby', 'grant', 'minute', 'travel', 'food', 'fact', 'give_shot', 'lady', 'take']

Avant :     This place is alright. I've been here over ten times and have yet to see a waitress smile. It seems 
Après :     ['place', 'time', 'see', 'smile', 'seem', 'take', 'attitude', 'customer', 'food', 'wait']

Avant :     If your ordering food to go by yourself .. The server shouldn't yell loud enough for everyone to her
Après :     ['order', 'food', 'server', 'yell', 'boy', 'family', 'feed', 'say', 'food']

Avant :     I have been to this restaurant on numerous occasions and was always pleased. Today I ordered a bowl 
Après :     ['restaurant', 'occasion', 'please', 'today', 'order', 'bowl', 'soup', 'receive', 'order', 'give']

Avant :     The pick up food on the other side is amazing, always on point. But the restaurant has went down, th
Après :     ['pick', 'food', 'side', 'point', 'restaurant', 'seafood_gumbo', 'boy', 'taste', 'friend', 'crawfish']

Avant :     Not feeling it.  The fried shrimp wasn't cleaned and didn't have much flavor.  Cajun potatoes needed
Après :     ['feel', 'fry', 'shrimp', 'clean', 'flavor', 'cajun', 'potato', 'need', 'salt', 'flavor']

Avant :     Place was busy so sat at the bar. Ordered the special, Jambalaya. Took over 40 min to get the order 
Après :     ['place', 'bar', 'order', 'jambalaya', 'take_min', 'order', 'seat', 'order', 'serve', 'come']

Avant :     One of the worse run restaurants I've seen in sometime, over an hour wait unless you arrive with 2 p
Après :     ['run', 'restaurant', 'see', 'hour', 'wait', 'people', 'fill', 'person', 'table', 'group']

Avant :     Used to be a great restaurant with great seafood. Recently got the seafood salad and the crabmeat wa
Après :     ['use', 'restaurant', 'seafood', 'seafood', 'salad', 'crabmeat', 'serve', 'crabmeat', 'barmaid', 'say']

Avant :     Tried it again.  Waited over an hour and never received my entree. Totally understaffed.  Oysters,  
Après :     ['try', 'wait', 'hour', 'receive', 'oyster', 'gumbo', 'place', 'toast', 'shame', 'back']

Avant :     I have never written a review before until now. I actually felt the need to write a review because o
Après :     ['write_review', 'feel', 'need', 'write_review', 'attitude', 'experience', 'bother', 'place', 'ignore', 'wait_line']

Avant :     15 minutes and no one brought menus or even tried to get me a drink. Pathetic. Left and went to acme
Après :     ['minute', 'bring', 'menu', 'try', 'drink', 'left', 'oyster', 'bar', 'use', 'good']

Avant :     Bad food and bad service. More costly than it is worth.  I have been there for breakfast and was hap
Après :     ['food', 'service', 'breakfast', 'place', 'lunch', 'supper', 'disappoint']

Avant :     Short staffed so unable to serve properly the menu said homemade biscuits and gravy but both were ca
Après :     ['staff', 'serve', 'menu', 'say', 'biscuit_gravy']

Avant :     Sitting at Dale's now and I have to echo the disappointment. Eggs are wet and seem to be powdered eg
Après :     ['sit', 'disappointment', 'egg', 'wet', 'seem', 'egg', 'pancake', 'freeze', 'variety', 'sausage']

Avant :     Seated immediately. Very friendly service. Sadly the positive feedback ends here. The food was just 
Après :     ['seat', 'service', 'feedback', 'end', 'food', 'egg', 'egg', 'omelet', 'definition', 'hash_brown']

Avant :     Just ate there and the meatloaf dinner. Absolutely f'n horrible. Diarrhea in 5 minutes. Worst dinner
Après :     ['eat', 'meatloaf', 'dinner', 'diarrhea', 'minute', 'dinner', 'star']

Avant :     The name fits because it is certainly not gold.  The food was better than the unattentive service ho
Après :     ['name', 'fit', 'food', 'service', 'downtown', 'boise', 'flight', 'business', 'bother', 'drink']

Avant :     Low end diner food, maybe not as good as Denny's, maybe about equal.  But I wouldn't eat there unles
Après :     ['end', 'diner', 'food', 'denny', 'eat', 'drive', 'food', 'thing', 'taste', 'service']

Avant :     Do not come here for service. After being seated, I waited over 15 minutes before someone took my or
Après :     ['come', 'service', 'seat', 'wait_minute', 'take', 'order', 'sound', 'party', 'kitchen', 'ignore']

Avant :     I used to eat here a lot, but after the other night, I will shy away.

There food is good, depending
Après :     ['use', 'eat', 'lot', 'night', 'food', 'depend', 'menu', 'choice', 'price', 'depend']

Avant :     Food was very greasy,  service very bad, was seated at two tables  not cleaned or set. Will not retu
Après :     ['food', 'greasy', 'service', 'seat', 'table', 'clean', 'set', 'return']

Avant :     I am conflicted about this. Driver was so sweet and polite and the pizza was delicious BUT it was BA
Après :     ['conflict', 'driver', 'pizza', 'time', 'happen', 'hope', 'fix', 'try']

Avant :     Came in to order coctel de camaron my food had no avocado no cilantro asked the waiter as to why it 
Après :     ['come', 'order', 'coctel', 'ask', 'say', 'say', 'take', 'plate', 'customer_service', 'seem_care']

Avant :     The food wasn't hot, we ordered the "El Jefe" Nachos, both the shredded chicken and beef weren't hot
Après :     ['food', 'order', 'shred', 'chicken', 'beef', 'meat']

Avant :     The food here is ok, but the management doesn't seem to care about it's customers.  I tried this pla
Après :     ['food', 'management', 'seem_care', 'customer', 'try', 'place', 'use', 'deal', 'buy', 'dealchicken']

Avant :     I think they must have changed owners.  Waitstaff was all new.  We went for dinner and really nothin
Après :     ['think', 'change', 'owner', 'waitstaff', 'dinner', 'chip', 'margarita', 'taste', 'mix', 'fajita']

Avant :     Good beer selection, knowledgeable staff. Had I not ordered food here it would have an enjoyable exp
Après :     ['beer_selection', 'staff', 'order', 'food', 'experience', 'receive', 'fry', 'burger', 'burger', 'burger']

Avant :     Food was OK but the serivce at the bar is horrible the girl took forever to take the order I'm stari
Après :     ['food', 'bar', 'girl', 'take', 'take', 'order', 'stare', 'face', 'act', 'see']

Avant :     I've been to Prohibition a few times since my one star review, and I'm sad to say I've had nothing b
Après :     ['prohibition', 'time', 'star', 'review', 'say', 'disappointment', 'stop', 'brunch', 'day', 'take']

Avant :     Great food, great beer, completely awful service.

I've had decent experiences here in the past. The
Après :     ['food', 'beer', 'service', 'experience', 'food', 'par', 'rest', 'scene', 'night', 'winter']

Avant :     Worst place to have brunch. I went there with a group of four. It took them at least an hour to brin
Après :     ['place', 'brunch', 'group', 'take', 'hour', 'bring', 'food', 'dish', 'time', 'arrive']

Avant :     Went two days ago and the bartender was extremely rude. Left without having anything to drink or eat
Après :     ['day', 'bartender_rude', 'leave', 'drink', 'eat', 'result', 'institution', 'couple', 'block', 'experience']

Avant :     Outside seating was great. Nice and quiet corner.Waitress was very passive while ordering the food. 
Après :     ['seat', 'corner', 'waitress', 'order', 'food', 'food', 'order', 'taste', 'cheese', 'fondue']

Avant :     I've ordered Prohibition Taproom's steak frites multiple times, but today when I ordered take out, u
Après :     ['order', 'prohibition', 'taproom', 'steak', 'frite', 'time', 'today', 'order', 'take', 'opening']

Avant :     The slowest sonnets I have ever been to. At least 30 minutes in the drive through line. The order wa
Après :     ['sonnet', 'minute', 'drive', 'line', 'order', 'employee', 'pay_attention', 'exit', 'option', 'recommend']

Avant :     This place was mediocre. Any restaurant that serves canned beans and fake mashed potatoes ranks low 
Après :     ['place', 'restaurant', 'serve', 'bean', 'potato', 'rank', 'decor', 'wear']

Avant :     Maybe this place is still new.. I don't know.. I'll give it a few months and go back to see. I got a
Après :     ['place', 'give', 'month', 'see', 'burrito', 'bowl', 'give', 'scoop', 'rice', 'scoop']

Avant :     I love chipotle, but this location is just terrible. I've gone a few times hoping maybe it was just 
Après :     ['love', 'chipotle', 'location', 'time', 'hope', 'fluke', 'food', 'location', 'quality', 'taste']

Avant :     I have always loved Chipotle, and have never had a problem at any of the locations. However, now I a
Après :     ['love', 'chipotle', 'problem', 'location', 'apprehensive', 'stop', 'location', 'night', 'pick', 'dinner']

Avant :     I've had better. They're new so I'll give them a pass this time. Bowl was poorly put together and th
Après :     ['time', 'bowl', 'put', 'staff', 'lack', 'professionalism', 'adult', 'supervision', 'train', 'customer_service']

Avant :     I adore Mexican food, but this was one of my worst food experiences of my life. The food was horribl
Après :     ['adore', 'food', 'food', 'experience', 'life', 'food', 'service', 'thing', 'chip', 'eat']

Avant :     I grew up in the south and love Popeyes, by this one is horrible! It takes 10+ minutes to get your o
Après :     ['grow', 'love', 'take', 'minute', 'order', 'time', 'window', 'tell', 'gravy', 'home']

Avant :     They're rude and need to learn how to be respectful. If you go through the drive-thru, they carry on
Après :     ['need', 'learn', 'drive', 'carry', 'conversation', 'try', 'order', 'hear', 'laugh', 'talk']

Avant :     I love Popeyes and unfortunately this is the closest one to me.  The service is horrible, you'll end
Après :     ['love', 'popeye', 'service', 'end', 'wait', 'help', 'seem', 'act']

Avant :     I don't understand why people go to Moe's- I've been to two different locations and the food is just
Après :     ['understand', 'people', 'moe', 'location', 'food', 'bland', 'pico', 'location', 'look', 'day']

Avant :     Not much to say. Bland. Overpriced. Trying to be something its not. Having snobby waiters is not the
Après :     ['say', 'bland', 'overprice', 'try', 'snobby', 'waiter', 'restaurant', 'portion', 'par', 'type']

Avant :     I went to this place and they said they were out of hard taco shells. Another time, they were out of
Après :     ['place', 'say', 'shell', 'time', 'one', 'want', 'give', 'change', 'quarter', 'advice']

Avant :     I used to order from here twice a week ,good pizza but the tonight i tried to order large pizza like
Après :     ['use', 'order', 'week', 'pizza', 'tonight', 'try', 'order', 'pizza', 'order', 'time']

Avant :     Five years ago- 5 stars. Today, fuggettaboutit.

Come for beer when you're running low. Skip the foo
Après :     ['year', 'star', 'today', 'fuggettaboutit', 'come', 'beer', 'run', 'skip', 'food']

Avant :     My husband and I went this morning for breakfast. He ordered a bacon egg and cheese on a long roll a
Après :     ['husband', 'morning', 'breakfast', 'order', 'bacon', 'egg', 'cheese', 'roll', 'egg', 'piece']

Avant :     So this morning (Thursday) my friends and I decided to travel to this place and compensate our funds
Après :     ['morning', 'friend', 'decide', 'travel', 'place', 'compensate', 'fund', 'mistake', 'woman_counter', 'friend']

Avant :     Not impressed at all. It took them 15 minutes to seat my party for breakfast. They were busy but not
Après :     ['take', 'minute', 'party', 'breakfast', 'order', 'wait_minute', 'food', 'wait', 'dinner', 'order']

Avant :     Never even stayed to eat. Two pairs of people got seated ahead of us.  A family of five came in behi
Après :     ['stay', 'eat', 'pair', 'people', 'seat', 'family', 'come', 'seat', 'happen', 'acknowledge']

Avant :     My husband and are new to Dtown and love Thai food.   We decided to try this place because of the re
Après :     ['love', 'food', 'decide', 'try', 'place', 'review', 'food', 'bland', 'resemble', 'cuisine']

Avant :     Honestly, I wanted to like this restaurant as it is convenient to the County Theatre.  The waitress 
Après :     ['want', 'restaurant', 'county', 'theatre', 'waitress', 'provide', 'service', 'food', 'taste', 'warn']

Avant :     An impromptu drive thru Doylestown, landed us here. Ambience is fine, and food is alright(certainly 
Après :     ['drive', 'doylestown', 'land', 'ambience', 'food', 'waitress', 'hostess', 'tick', 'wife', 'notice']

Avant :     Cute and romantic little Thai place. The food was tasty but both my boyfriend and I felt sick immedi
Après :     ['place', 'food', 'boyfriend', 'feel', 'leave', 'restaurant', 'food', 'area']

Avant :     Place is terrible. Terrible customer service. No flavor in the food. Salsa is awful. The barbacoa sm
Après :     ['place', 'customer_service', 'flavor', 'food', 'salsa', 'barbacoa', 'smell', 'road', 'kill', 'attempt']

Avant :     Went for breakfast at 9:30. Got right in. Service was incredibly slow, had to keep asking for coffee
Après :     ['breakfast', 'service', 'keep', 'ask', 'coffee_refill', 'wait', 'time', 'food', 'arrive', 'come']

Avant :     Quaint charm can only get you so far in the restaurant business. 6 of us decided to have breakfast h
Après :     ['quaint', 'charm', 'restaurant', 'business', 'decide', 'breakfast', 'dissapointe', 'burn', 'bacon', 'toast']

Avant :     Food was ok. Service was terrible, actually waited around 30 minutes for a server and they never cam
Après :     ['food', 'service_terrible', 'wait_minute', 'server', 'come', 'decide', 'leave', 'hostess', 'see', 'way']

Avant :     Worst customer service ever, food is par by far, dirty tables, nothing like a real New York slice, I
Après :     ['customer_service', 'food', 'par', 'table', 'recommend', 'home', 'need', 'slice', 'pie', 'taste']

Avant :     The pizza is good. The best in Hendersonville in my opinion. But the place is seemingly run by a bun
Après :     ['pizza', 'opinion', 'place', 'run', 'schooler', 'play', 'way', 'price', 'pizza', 'customer']

Avant :     Omg this is pizza for people who have never actually been to New York. It's like Nashville hot chick
Après :     ['omg', 'pizza', 'people', 'chicken', 'work', 'pizza', 'service', 'staff_rude', 'bathroom', 'reason']

Avant :     We ordered the pan pizza and was very disappointed.  The dough tasted like pre-baked dinner rolls wi
Après :     ['order', 'dough', 'taste', 'dinner', 'roll', 'tomato_sauce', 'top', 'pay', 'cheese', 'receive']

Avant :     Decent pizza.... incompetent and childish staff. Employees are constantly goofing off and do not pay
Après :     ['pizza', 'staff', 'employee', 'goof', 'pay_attention', 'order', 'wait_minute', 'ask', 'staff', 'pizza']

Avant :     Walked in with the family today 7 of us,  waited at the order counter for over 10 minutes, nobody ev
Après :     ['walk', 'family', 'today', 'wait', 'order', 'minute', 'acknowledge', 'attention', 'server', 'ask']

Avant :     Not impressed - ordered delivery, took over an hour to get here. Ordered a green smoothie, they forg
Après :     ['impress', 'order', 'delivery', 'take', 'hour', 'order', 'smoothie', 'forget', 'restaurant', 'call']

Avant :     Not impressive at all, I ordered turkey hummus wraps, turned out that half of my wraps barely contai
Après :     ['order', 'turkey', 'hummus', 'wrap', 'turn', 'wrap', 'contain', 'hummus', 'surprise']

Avant :     No no no no no. This place is so dirty and gross. Ordered two shots of espresso lifted the cup and f
Après :     ['place', 'order', 'shot', 'lift', 'find', 'bug', 'run', 'ciabatta', 'bread', 'put']

Avant :     We were disappointed to learn that Cafe Square One would be closing at 6 today, but such is life; it
Après :     ['cafe', 'close', 'today', 'life', 'summer', 'look', 'watch', 'learn', 'addition', 'post']

Avant :     THIS PLACE IS THE WORST!!!!!!!!!!  Ordered 3 times.  The first time we ordered breakfast and they sa
Après :     ['place', 'order', 'time', 'time', 'order', 'breakfast', 'say', 'delivery', 'order', 'cancel']

Avant :     So Disappointed. We were 1 of 3 tables that were occupied in the dining room on Monday night. Wanted
Après :     ['table_occupy', 'dining_room', 'night', 'want', 'order', 'bean', 'tell', 'problem', 'leave', 'waiter']

Avant :     Horrible!!! Not only did i wait over and hour and 40 mins for delivery my order was wrong and appare
Après :     ['wait', 'hour', 'min', 'delivery', 'order', 'wrong', 'use', 'cell_phone', 'business', 'phone']

Avant :     This place needs work. Waited over a half an hour for the grilled peanut butter and banana sandwich,
Après :     ['place', 'need', 'work', 'wait', 'hour', 'grill', 'butter', 'sandwich', 'send', 'ask']

Avant :     This was my first time ordering from this place. I read all the reviews and it sounded really good. 
Après :     ['time', 'order', 'place', 'read_review', 'sound', 'order', 'cheesesteak', 'fry', 'onion', 'side']

Avant :     Never expect such poor service within main line, waited 45 minutes for lunch in a half empty restaur
Après :     ['expect', 'service', 'line', 'wait_minute', 'lunch', 'restaurant', 'microwave', 'food', 'management', 'tell']

Avant :     My wife and I were here once before with another couple and aside from somewhat slow service, everyt
Après :     ['wife', 'couple', 'service', 'recommend', 'restaurant', 'friend', 'turn', 'party', 'order', 'menu']

Avant :     Good to catch a game, or as I did, attend a fantasy draft. The food is not anything particularly spe
Après :     ['catch', 'game', 'attend', 'fantasy', 'draft', 'food', 'sport_bar', 'menu', 'sandwich', 'salad']

Avant :     I find this place so-so at best. They have limited pizza. The Italian food is just ok. Service is go
Après :     ['find', 'place', 'limit', 'pizza', 'food', 'service', 'lot', 'parking', 'find', 'fan']

Avant :     Short and sweet - Been here three times and haven't been impressed. This last time I called in an or
Après :     ['time', 'impress', 'time', 'call', 'order', 'guy', 'take', 'order', 'rude', 'menu']

Avant :     Service & atmosphere are great, the food is particularly bland. Portions are large but flavor is lac
Après :     ['service', 'atmosphere', 'food', 'portion', 'flavor', 'lacking']

Avant :     Don't do it. Just don't go. Sloppy decor, sloppy service, sloppy food. My husband and I decided to t
Après :     ['service', 'food', 'husband', 'decide', 'try', 'place', 'order', 'drink', 'appear', 'flag_waitress']

Avant :     If you like liquid smoke ! ‍
Ok food, ok everything... there's better around that is forsure.
Après :     ['smoke', 'food', 'forsure']

Avant :     Guess you need to be a local. Service sucks, meals take forever. Not like the Pinocchio's from the p
Après :     ['guess', 'need', 'service', 'suck', 'meal', 'take', 'pinocchio', 'come', 'enjoy', 'visit']

Avant :     Unfortunately the food was so boiling hot, overcooked and bland that the service was irrelevant. I h
Après :     ['food', 'boil', 'bland', 'service', 'potato', 'leek', 'soup', 'salmon', 'pasta']

Avant :     UPDATED AGAIN.  Just when I think the service can't get any crappier it does. The ONLY reason I stil
Après :     ['update', 'think', 'service', 'crappier', 'reason', 'come', 'daughter', 'make', 'spark', 'location']

Avant :     Both wrap that were purchased were already soaked through and inedible in wrap form. Tasteless spicy
Après :     ['wrap', 'purchase', 'soak', 'wrap', 'form', 'tuna', 'chipotle', 'avocado', 'sandwich', 'better']

Avant :     The Hispanic man with the glasses is the nastiest person I have encountered by far in a long time. I
Après :     ['man', 'glass', 'person', 'encounter', 'time', 'grab', 'napkin', 'make', 'ask', 'permission']

Avant :     If you're looking for great customer service this is not the place ! Sharde Saunders is by far the w
Après :     ['look', 'customer_service', 'place', 'saunder', 'employee', 'represent', 'company', 'order', 'meal', 'talk']

Avant :     Please do NOT eat here. I ordered a sandwich, they called the wrong number so someone else grabbed m
Après :     ['eat', 'order', 'sandwich', 'call', 'number', 'grab', 'mine', 'man', 'sit', 'table']

Avant :     Being very generous with even two stars. It's a nice place to be to listen to entertainment and have
Après :     ['star', 'place', 'listen', 'entertainment', 'drink', 'eat', 'wait', 'hour', 'seat', 'seat']

Avant :     Place is empty and there is a 40 minute wait. The problem I have is the snooty attitude of the waitr
Après :     ['place', 'problem', 'attitude', 'waitress', 'wait', 'find', 'people', 'call', 'say', 'catch']

Avant :     Sam's used to be nice when my husband and I would go. But during our last visit, all we saw were mis
Après :     ['use', 'husband', 'last', 'visit', 'see', 'employee', 'overwork', 'meal', 'minute', 'seem']

Avant :     ouch!   this place is filthy dirty and the food is horrible!  service is avg.  the band sucked too! 
Après :     ['place', 'food', 'service', 'avg', 'band', 'suck', 'band', 'singer', 'bartender_rude']

Avant :     As usual, food took forever last Saturday. As usual, the quality was meh, and price High. Example, m
Après :     ['food', 'take', 'quality', 'meh', 'price', 'example', 'daughter', 'lobster', 'cheese', 'penne']

Avant :     We just left Sam's and we're a little dissatisfied.  Atmosphere and server were decent but that was 
Après :     ['leave', 'atmosphere', 'server', 'order', 'sandwich', 'say', 'market', 'price', 'menu', 'fault']

Avant :     When we arrived, I used the restroom and that totally turned me off for the whole experience.  It wa
Après :     ['arrive', 'use_restroom', 'turn', 'experience', 'disgusting', 'sit', 'deck', 'water', 'ambiance', 'food']

Avant :     Some friends and I went to Sam's after work one night. For a Friday night it wasn't too busy. We wer
Après :     ['friend', 'night', 'night', 'staff', 'figure', 'server', 'take', 'minute', 'waitress', 'take']

Avant :     Of all the ears of I've gone there , I finally got a friendly attentive waiter (I wish I could recal
Après :     ['ear', 'waiter', 'wish', 'recall', 'name', 'food', 'family', 'race', 'clam', 'chowder']

Avant :     This may actually be the worst falafel pita sandwich I have seen in my life. I have eaten a lot of f
Après :     ['falafel', 'pita', 'sandwich', 'see', 'life', 'eat', 'lot', 'falafel', 'pay_dollar', 'robbery']

Avant :     We waited 25 minutes to order a glass of water & 10 minutes later I had to go to the bar to ask if o
Après :     ['wait_minute', 'order', 'glass', 'water', 'minute', 'bar', 'ask', 'waitress', 'come', 'order']

Avant :     This place has went so downhill over the years...it's really sad. Used to be the go to place for a b
Après :     ['place', 'year', 'use', 'place', 'beer', 'game', 'hang', 'beer', 'order', 'tire']

Avant :     The service is terrible! The food is mediocre and the bottled beer is NOT cold. The tv's are great a
Après :     ['service', 'food', 'beer', 'tv', 'atmosphere']

Avant :     Nasty place that smells like a 100 year old trailer that's been smoked in..... I think that sums it 
Après :     ['place', 'smell', 'year', 'trailer', 'smoke', 'think', 'sum']

Avant :     Super over priced food and drinks and rarely any specials. The place is always so smoky that I feel 
Après :     ['price', 'food', 'drink', 'special', 'place', 'feel', 'take', 'breath', 'slutty', 'waitress']

Avant :     The pizza is good. Great gluten free options. The staff in charge of answering the phones seem like 
Après :     ['pizza', 'option', 'staff', 'charge', 'answer_phone', 'seem_care', 'involve', 'conflict', 'resolution', 'instance']

Avant :     I think this place is over priced and unless you have a coupon, it's not worth it.

Most times we ca
Après :     ['think', 'place', 'price', 'coupon', 'time', 'call', 'take', 'put_hold', 'use', 'try']

Avant :     The food was okay. The order was wrong. Ordered online and had it delivered, there were no napkins, 
Après :     ['food', 'order', 'wrong', 'order', 'deliver', 'napkin', 'utensil']

Avant :     Always took 20+ minutes to get my salads during my lunch break : / My store would order pizzas here 
Après :     ['take', 'minute', 'salad', 'lunch_break', 'store', 'order', 'pizza', 'sub_par', 'employee', 'love']

Avant :     The service kills me here. It is horrible, delivery orders take well over an hour and a half. Every 
Après :     ['service', 'kill', 'delivery', 'order', 'take', 'hour_half', 'time', 'seat', 'year', 'ignore']

Avant :     Terrible pizza and worse customer service. Was totally unhappy with every facet of your business.
Après :     ['pizza', 'customer_service', 'facet', 'business']

Avant :     Easily the worst pizza in town. Wings were the only thing good. Crust is pre made and frozen. Pizza 
Après :     ['pizza', 'town', 'wing', 'thing', 'crust', 'pre_make', 'pizza', 'topping', 'quality', 'cheese']

Avant :     Where do I start? I'd give this - Stars if it were an option! 
My daughter and I paid $42+ for dinne
Après :     ['start', 'give_star', 'option', 'daughter', 'pay', 'dinner', 'cheese', 'soupy', 'dance', 'eat']

Avant :     Where to begin with this place... the staff walk around as if they are auditioning to be a zombie  i
Après :     ['begin', 'place', 'staff', 'walk', 'audition', 'series', 'walk', 'pizza', 'prepare', 'mean']

Avant :     No stars. I ordered from this place a few weeks ago. Delivered my pizza, no problem. Call today, the
Après :     ['star', 'order', 'place', 'week', 'deliver', 'pizza', 'problem', 'call', 'today', 'deliver']

Avant :     Rude service and people! I will NEVER eat here again. Pizza is horrible and Assistant "manager" Jean
Après :     ['service', 'people', 'eat', 'pizza', 'manager', 'wanting', 'fix', 'issue', 'pizza', 'pay']

Avant :     Apparently I'm the only one in town that thinks the taste was made for children. Where's the flavor?
Après :     ['town', 'think', 'taste', 'make', 'child', 'flavor', 'cheese', 'taste', 'seem', 'burn']

Avant :     Nice staff, but the last two visits i've made here they have been unable to serve shakes. I understa
Après :     ['staff', 'last', 'visit', 'make', 'serve', 'shake', 'understand', 'thing', 'happen', 'time']

Avant :     As 45 put it best...  this place is a ****hole. 

To the people in charge of the entire brand Steak 
Après :     ['put', 'place', 'hole', 'people', 'charge', 'brand', 'steak_shake', 'take', 'note', 'freddy']

Avant :     I tried to call in an order to go and was decline to do so because they no longer take call in order
Après :     ['try', 'call', 'order', 'decline', 'take', 'call', 'order', 'ask', 'start', 'say']

Avant :     Don't go on third shift.  My boyfriend and I have went through the drive thru and dined in here seve
Après :     ['shift', 'boyfriend', 'drive', 'dine', 'time', 'experience', 'day', 'service', 'food', 'night']

Avant :     If it would be possible to give a half a star I would! I mean it's Steak 'n Shake so if you've grown
Après :     ['give_star', 'mean', 'steak_shake', 'grow', 'expect', 'service', 'cry', 'service', 'restaurant', 'food']

Avant :     I've stayed away from reviewing and complaining about this location for literally the past couple ye
Après :     ['stay', 'review', 'complain', 'location', 'couple', 'year', 'issue', 'employee', 'service', 'tend']

Avant :     How many bad reviews is this place gonna get before someone actually does something about it? Lol it
Après :     ['review', 'place', 'lol', 'wait_line', 'see', 'worker', 'storm', 'lady', 'stop', 'manger']

Avant :     Honestly if I could have given them 0 stars I would have for a place that is open for 24 hours it se
Après :     ['give_star', 'place', 'hour', 'seem', 'bug', 'work', 'cook', 'spill', 'mistake', 'start']

Avant :     Worst service ever!  It's S&S so I don't expect a lot in the first place. But getting service is the
Après :     ['service', 'expect', 'lot', 'place', 'service', 'minimum', 'seem', 'people_work', 'waitress', 'disappear']

Avant :     This is one of the worst steak n shakes. The service used to be hit or miss. Now it's just completel
Après :     ['steak_shake', 'service', 'use', 'hit_miss', 'garbage', 'mcdonald', 'issue', 'customer_service', 'restaurant', 'food']

Avant :     1st time eating here, found it on yelp and decided to try it. I ordered a large sausage pepperoni, w
Après :     ['time', 'eat', 'find', 'yelp', 'decide', 'try', 'order', 'sausage', 'pepperoni', 'arrive']

Avant :     There are three of us in my dept here at work that wanted to order pizza. We decided on Xtrordinary 
Après :     ['work', 'want', 'order', 'pizza', 'decide', 'xtrordinary', 'pizza', 'order', 'place', 'order']

Avant :     Have eaten here often and this last time something was different.  Pizza crust was horrible.  Think 
Après :     ['eat', 'time', 'pizza_crust', 'think', 'change', 'crust', 'make', 'pizza', 'opinion', 'disappoint']

Avant :     This was my second time going 
First time service was very slow,
Because it's new ,I let that pass
2
Après :     ['time', 'time', 'service', 'new', 'let', 'pass', 'time', 'hair', 'food', 'plate']

Avant :     This place is dirty and the wait time because you order bacon with your meal is stupid and hair in f
Après :     ['place', 'wait', 'time', 'order', 'bacon', 'meal', 'hair', 'food', 'say']

Avant :     Worst service ever. Waited in a nearly empty restaurant for 15 minutes and were never acknowledged b
Après :     ['service', 'wait', 'restaurant', 'minute', 'acknowledge', 'staff', 'walk', 'group', 'walk', 'seat']

Avant :     I have been here twice and only with request by my children who wanted the Cinnamon swirl brioche fr
Après :     ['request', 'child', 'want', 'cinnamon', 'swirl', 'toast', 'time', 'come', 'service', 'customer']

Avant :     Warning, if you come here on a Sunday there is a set tasting menu.  We were a party of two, they ser
Après :     ['warning', 'come', 'set', 'taste', 'menu', 'serve', 'plate', 'family', 'style', 'problem']

Avant :     Well, for me at least this isn't worth it at all. 
The food was sub-par. It was good but I wouldn't 
Après :     ['food', 'sub_par', 'say', 'portion_size', 'relation', 'price', 'find', 'food', 'quality', 'pm']

Avant :     I work in many areas throughout the Tampabay area!  Today I happened upon this beautiful "old friend
Après :     ['work', 'area', 'area', 'today', 'happen', 'friend', 'thrill', 'see', 'stand', 'business']

Avant :     Great view and the decor and architecture is quite elegant. 

I can only comment on the lunch buffet
Après :     ['view', 'decor', 'architecture', 'comment', 'lunch_buffet', 'catering', 'find', 'party', 'host', 'pair']

Avant :     Went here for dinner. I got the Rock Point Grouper and partner got the Begger's Salmon. The salmon w
Après :     ['dinner', 'rock', 'point', 'grouper', 'partner', 'wrapping', 'salmon', 'shape', 'onion', 'thing']

Avant :     The restaurant has beautiful views of Tampa Bay and the worst food I've eaten in a long time! The lo
Après :     ['restaurant', 'view', 'food', 'eat', 'time', 'location', 'restaurant', 'freeze', 'fireplace', 'location']

Avant :     Sunday Brunch was disappointing.  While there were wonderful items available, many of the hot foods 
Après :     ['brunch', 'item', 'food', 'include', 'coffee', 'server', 'offer', 'plate', 'menu', 'make']

Avant :     Don't be handicap and go to this restaurant.  It was truly horrible to get to the reception...long s
Après :     ['reception', 'hallway', 'corner', 'end', 'kitchen', 'mother', 'brunch', 'expensive', 'provide', 'disappoint']

Avant :     Spectacular views.  Had a window table.  Food arrived and was mediocre. My wife had the seafood asso
Après :     ['view', 'window', 'table', 'food', 'arrive', 'wife', 'seafood', 'assortment', 'scallop', 'way']

Avant :     A disappointing experience. Nice ambience,  but mediocre food. Friendly staff with limited skills.
Après :     ['experience', 'ambience', 'food', 'staff', 'limit', 'skill']

Avant :     Go here for the view but the food is terrible. We were a party of 9 and no one was happy with their 
Après :     ['view', 'food', 'party', 'entree', 'grill', 'bland', 'burn', 'husband', 'side', 'potato']

Avant :     Horrible disgusting not sure how they are even open. Food tasted old and was served cold and had zer
Après :     ['disgusting', 'food', 'taste', 'serve', 'taste']

Avant :     Customer service was not good. The person taking orders at register was annoyed that I asked some qu
Après :     ['customer_service', 'person', 'take', 'order', 'register', 'annoy', 'question', 'menu', 'eye', 'understand']

Avant :     I had the carrot cake.... Very disappointed tasted like licorice and baking soda cooking powder. It'
Après :     ['carrot', 'cake', 'taste', 'bake', 'soda', 'cooking', 'powder', 'look', 'chocolate_chip']

Avant :     This review is for the cheesecake alone. 

Okay so maybe I got a bad batch or something but it was n
Après :     ['review', 'cheesecake', 'batch', 'rave', 'think', 'taste', 'love', 'cheesecake', 'bring', 'potluck']

Avant :     So I called and placed an order over the phone with pizza huts apparent call center. the little girl
Après :     ['call', 'place', 'order', 'phone', 'pizza_hut', 'call', 'center', 'girl', 'sound', 'phone']

Avant :     Awful. My advice is do not order from here. Asked for well done pizza and received half cooked dough
Après :     ['advice', 'order', 'ask', 'pizza', 'receive', 'cook', 'dough', 'topping', 'pizza', 'bread']

Avant :     I would love to give no star at all... I ordered food but it didint come all ofcourse, so i called t
Après :     ['love', 'give_star', 'order', 'food', 'didint', 'come', 'call', 'give', 'order', 'spit']

Avant :     Service sucks here around noon been waiting over an hour for a simple breakfast for 2. The food smel
Après :     ['service', 'suck', 'noon', 'waiting_hour', 'breakfast', 'food', 'smell', 'damn', 'eat', 'see']

Avant :     Decent food. Nice atmosphere (lots of brightly colored fake parrots.) Come willing too wait, because
Après :     ['food', 'atmosphere', 'lot', 'color', 'parrot', 'come', 'wait']

Avant :     I'm only giving two stars for the awesome waitress we had . But other than that , thumbs down ! 
My 
Après :     ['give_star', 'waitress', 'thumb', 'sister', 'find', 'piece', 'hair', 'omlet', 'sister', 'eggshell']

Avant :     Walk in.  Kewl looking atmosphere.  (That's why they got the one star). 

Me. "How old are the cupca
Après :     ['walk', 'look', 'atmosphere', 'star', 'cupcake', 'cashier', 'take', 'chocolate', 'husband', 'walk']

Avant :     The ambiance is absolutely lovely, especially sitting outside. Unfortunately, the service is so exce
Après :     ['ambiance', 'sit', 'service', 'ruin', 'experience', 'time', 'day', 'time', 'food', 'hour']

Avant :     So disappointed, again. The service was horrible. It took over 1 hour for the food to arrive and did
Après :     ['service', 'take', 'hour', 'food', 'arrive', 'order', 'waitress', 'ask', 'building', 'say']

Avant :     The food was ok... the burrito bread was hard and wasn't fresh it's like a fake chipotle lol but exp
Après :     ['food', 'bread', 'chipotle', 'lol', 'thou']

Avant :     Get off the phone and serve your customers.  Also throw out the donuts that are clearly rock hard an
Après :     ['phone', 'serve', 'customer', 'throw', 'donut', 'rock', 'time', 'last', 'employee', 'phone']

Avant :     I don't think I will be returning to Sam's and it's a shame. I really liked this place and the food 
Après :     ['think', 'return', 'like', 'place', 'food', 'use', 'food_poison']

Avant :     I hate to leave bad reviews but it has to be done sometimes. My fav dish ever is pad see ew so I dec
Après :     ['hate', 'leave', 'review', 'dish', 'pad', 'decide', 'try', 'basil', 'taste', 'take_bite']

Avant :     Went for the lunch special on a weekday.  Got the Thai basil and drunken noodles.  Thai basil was no
Après :     ['lunch', 'weekday', 'spicy', 'say', 'menu', 'drunken', 'noodle_soup', 'broth', 'quality', 'thai']

Avant :     I ordered delivery and it was faster than expected which is nice.  However, the food was over-cooked
Après :     ['order', 'delivery', 'expect', 'food', 'cook', 'broccoli', 'bean', 'appetizing', 'look', 'shrimp']

Avant :     This place is definitely fun if you're coming to get wasted. On the other hand, if you're looking fo
Après :     ['place', 'fun', 'come', 'waste', 'hand', 'look', 'meal', 'place', 'order', 'rice']

Avant :     Just any-old-bar.  I went for a networking happy hour, and the service sucked...I mean, they kept gi
Après :     ['bar', 'network', 'hour', 'service', 'suck', 'keep', 'give', 'drink', 'table', 'crowd']

Avant :     Staff is friendly. Walters trio enchiladas where terrible and the rice was uncooked, gross.
My frien
Après :     ['staff', 'walter', 'trio', 'uncooke', 'friend', 'like', 'burger']

Avant :     I've been here many times and I always come back. Great location! The service however is touch and g
Après :     ['time', 'come', 'location', 'service', 'touch', 'see', 'server', 'bartender', 'food', 'see']

Avant :     My partner and I went there for brunch today. Average food, terrible service. Restrooms are so dirty
Après :     ['partner', 'brunch', 'today', 'food', 'service', 'restroom', 'skip', 'alternative', 'town', 'brunch']

Avant :     I've come here several times, with locals and with my friends that are coming to New Orleans to visi
Après :     ['come', 'time', 'local', 'friend', 'come', 'visit', 'food', 'service', 'standard', 'expect']

Avant :     I've been to Lucy's twice now. I don't usually do the whole going to bars thing but I was with frien
Après :     ['going', 'bar', 'thing', 'friend', 'place', 'way', 'pack', 'liking', 'enjoy', 'push']

Avant :     I've rarely have had a fun time at the bar here but there have been a few moments that were enjoyabl
Après :     ['time', 'bar', 'moment', 'food', 'use', 'food', 'refuse', 'eat', 'meal', 'eat']

Avant :     So the burritos are pre-made but if you request a manager you still get crappy service, however, the
Après :     ['pre_make', 'request', 'manager', 'service', 'server', 'take', 'time', 'see', 'mushroom', 'substitute']

Avant :     No draft beer. Bottles only. 

Great happy hour taco specials. Great chips/salsa. My nachos were oka
Après :     ['draft_beer', 'bottle', 'hour', 'special', 'chip_salsa', 'nachos', 'tvs', 'catch', 'game', 'bartender']

Avant :     First the new chef got rid of the wings which were the best in town. But, to tell me they can't make
Après :     ['chef', 'rid', 'wing', 'town', 'tell', 'make', 'felipe', 'head']

Avant :     I'm a local for almost 30 yrs.I work the service industry here.I went there tonight to visit some fr
Après :     ['work', 'service', 'industry', 'tonight', 'visit', 'friend', 'town', 'weekend', 'bartender', 'cool']

Avant :     Burger was lame. If you order one, be sure to get add ons like mushrooms, etc cause the burger by it
Après :     ['order', 'add', 'mushroom', 'cause', 'bland', 'rate', 'point', 'hamburger', 'atmosphere', 'lay']

Avant :     Honestly there was nothing impressive about this place. It is your typical bar that serves typical b
Après :     ['place', 'bar', 'serve', 'bar', 'food', 'addition', 'service', 'bar', 'service', 'food']

Avant :     I have visited lucy's several times in the last five years and last night was a total disaster from 
Après :     ['visit', 'time', 'year', 'night', 'disaster', 'angle', 'margarita', 'order', 'slush', 'ice']

Avant :     Piece of shit restaurant - waited 7 minutes for waitstaff to even say they would be right with us (w
Après :     ['piece', 'restaurant', 'wait_minute', 'say', 'right', 'walk', 'time', 'minute', 'order', 'take']

Avant :     Good bar scene, but we had the shrimp and grits and the shrimp were way over cooked making this dish
Après :     ['bar', 'scene', 'shrimp_grit', 'way', 'cook', 'make', 'dish', 'stay', 'taco', 'want']

Avant :     Great people work there and they pour heavy!  The last time someone poured me a whiskey like that wa
Après :     ['people_work', 'pour', 'time', 'pour', 'whiskey', 'hour', 'try', 'murder', 'need', 'order']

Avant :     The bloom is off the rose at Lucy's. I got the fiesta burger again since I was so impressed by it la
Après :     ['bloom', 'rise', 'burger', 'impress', 'time', 'time', 'patty', 'seem', 'microwave', 'sheen']

Avant :     An alright bar for when i am hanging out in the CBD. Nothing I would ever go out my way for. And I w
Après :     ['bar', 'hang', 'cbd', 'way', 'agree', 'turn', 'boot', 'adult', 'stay']

Avant :     After waiting about 15 minutes the bartender came over and apologized for the waitress not even sayi
Après :     ['wait_minute', 'bartender', 'come', 'apologize', 'waitress', 'say', 'bring', 'drink', 'minute', 'waitress']

Avant :     I love HotBox, but this location can't seem to match the service quality as other locations. Deliver
Après :     ['love', 'hotbox', 'location', 'seem', 'match', 'service', 'quality', 'location', 'delivery', 'seem']

Avant :     A few years ago my parents, my brothers and i went to this restaraunt for my birthday. We ordered th
Après :     ['year', 'parent', 'brother', 'restaraunt', 'birthday', 'order', 'spread', 'love', 'food', 'surprise']

Avant :     Food was ok, nothing special about it. I ordered the panang curry with tofu and it came with four cu
Après :     ['food', 'order', 'come', 'cube', 'tofu', 'come', 'piece', 'zucchini']

Avant :     Great place to go if you like inventive, or just gin, cocktails! The bar and lounge area are both ve
Après :     ['place', 'gin', 'cocktail', 'bar', 'lounge', 'area', 'chef', 'night', 'take', 'hour']

Avant :     It is ok. Nothing special. Drinks are good but they advertise 80's food. Well it was  2014 prices wi
Après :     ['drink', 'advertise', 'food', 'price', 'quantity', 'salmon', 'dollar', 'piece', 'salmon', 'bean']

Avant :     Nice outdoor atmosphere, big problem with no way to call them. The website has no contact info, only
Après :     ['atmosphere', 'problem', 'way', 'call', 'website', 'contact', 'info', 'hour', 'close', 'waste_time']

Avant :     It just gets worse - now they have dropped their early bird special. Was looking for something else 
Après :     ['drop', 'bird', 'look', 'try', 'menu', 'chicken', 'sauce', 'point', 'disenfranchise', 'lot']

Avant :     My boss was stoked when this placed opened back up after renovations...We've had it several times in
Après :     ['boss', 'stoke', 'place', 'open', 'renovation', 'time', 'week', 'open', 'deal', 'park']

Avant :     This is part of the gold course, so it was a very dead atmosphere when we went for dinner. The servi
Après :     ['part', 'course', 'atmosphere', 'dinner', 'service_slow', 'know', 'burger', 'shake', 'gross', 'eat']

Avant :     I got very sick and unfortunately gave my cat a few bites of my chicken and it ended up costing me $
Après :     ['give', 'cat', 'bite', 'end', 'cost', 'vet', 'bill', 'cat', 'die', 'manager']

Avant :     This is my favorite home cooked food in town, I love Boston market and always have been a loyal cust
Après :     ['home', 'cook', 'food', 'town', 'market', 'customer', 'meal', 'find_hair', 'mash_potato', 'find']

Avant :     We had high hopes for this place but we found the burgers just average. Here you can custom order yo
Après :     ['hope', 'place', 'find', 'burger', 'custom', 'order', 'burger', 'want', 'mustard', 'mayo']

Avant :     What I emailed customer service

I come in to your kenner location and look forward to half price Su
Après :     ['email', 'customer_service', 'come', 'location', 'look', 'price', 'advertise', 'web', 'site', 'wait']

Avant :     Not only is the food bland but there are no changing tables in the restroom. It's terrible to have t
Après :     ['food', 'bland', 'change', 'table', 'restroom', 'change', 'child', 'diaper', 'floor', 'spread_word']

Avant :     When we first moved to the area a year ago, we were sold on this place. The food was decent but alwa
Après :     ['move', 'area', 'year', 'sell', 'place', 'food', 'service', 'course', 'time', 'place']

Avant :     Really nice staff but mediocre Italian food served luke warm.   We went here for a large group dinne
Après :     ['staff', 'food', 'serve', 'luke', 'warm', 'group', 'dinner', 'byob', 'fix', 'menu']

Avant :     The food here is a three, however the service and approach to the business is akin to one of those r
Après :     ['food', 'service', 'approach', 'business', 'akin', 'rest', 'stop', 'turnpike', 'restaurant', 'staff']

Avant :     Website, Google, and Yelp all say 10p daily. Bought Living Social, went in at 8:20p. Told us kitchen
Après :     ['website', 'say', 'buy', 'live', 'tell', 'kitchen', 'tell', 'website', 'business', 'list']

Avant :     I think I'm over Natural Cafe. The other day I ordered my usual SB Veggie Grill, and realized it no 
Après :     ['think', 'cafe', 'day', 'order', 'realize', 'come', 'tahini', 'sauce', 'grill', 'veggie']

Avant :     Good food. Poor service. Their staff doesn't seem to be trained very well.


I found HAIR IN MY SAND
Après :     ['food', 'service', 'staff', 'seem', 'train', 'find_hair', 'sandwich', 'time', 'ask', 'salsa']

Avant :     A slight language barrier to start with. When I told the gentleman it was to go, he handed me a bag 
Après :     ['language', 'barrier', 'start', 'tell', 'gentleman', 'hand', 'bag', 'tell', 'seat', 'food']

Avant :     Not worth it. There are so many great restaurants in Nashville I wouldn't waste your time here. The 
Après :     ['restaurant', 'party', 'place', 'brunch', 'guest', 'food', 'mention', 'mess', 'check', 'manager']

Avant :     $100...one of the worst restaurant experiences in my recent meals in Nashville. Every dish was disap
Après :     ['restaurant', 'experience', 'meal', 'dish', 'overprice', 'decision', 'service', 'staff', 'quality', 'execution']

Avant :     I have been here multiple times.  It's always been good.  This visit the prices have gone up and the
Après :     ['time', 'visit', 'price', 'service', 'time', 'ask', 'server', 'return']

Avant :     Had the Mexican Roll and Philadelphia Roll for take-out. Very disappointed with the portion size of 
Après :     ['roll', 'take', 'portion_size', 'roll', 'taste', 'bland']

Avant :     Not impressed at all. Tiny rolls for a hefty price plus very bland. Ordered three specialty rolls am
Après :     ['impress', 'roll', 'price', 'bland', 'order', 'specialty_roll', 'thing', 'pay', 'worth', 'give_star']

Avant :     Whoopsies, apparently the Publix and Tsunami Sushi are not related. My bad. I still enjoy many other
Après :     ['whoopsie', 'tsunami', 'relate', 'enjoy', 'place', 'sister', 'order', 'awhile', 'seem', 'change']

Avant :     Piss poor service.  The quality and the size of the roll was disappointing for a place that speciali
Après :     ['piss', 'service', 'quality', 'size', 'roll', 'place', 'specialize', 'try']

Avant :     The food is ok, pizza just so happens to be my favorite food. I usually eat at CiCi's but Incredible
Après :     ['food', 'pizza', 'happen', 'food', 'eat', 'pizza', 'selection', 'pizza', 'quality', 'food']

Avant :     Terrible service and the food was pretty bad. I couldn't walk around with my family without seeing p
Après :     ['service', 'food', 'walk', 'family', 'see', 'pant', 'grind', 'time']

Avant :     The pizza was cold and stale. The choices were very limited, and the workers were not friendly.
Après :     ['pizza', 'choice', 'limit', 'worker']

Avant :     The worst food. The worst service!  Meal was brought out in pieces. Toast with drinks! Then meals wi
Après :     ['food', 'service', 'meal', 'bring', 'piece', 'toast', 'drink', 'meal', 'pancake', 'pancake']

Avant :     There was a few people in here when I came in my wife.  However, we felt like we were bothering the 
Après :     ['people', 'come', 'wife', 'feel', 'bother', 'waitress', 'coffee', 'food', 'feeling', 'diner']

Avant :     At first I liked it a lot. Now I go there and have to wait way too long for just coffee and a muffin
Après :     ['like', 'lot', 'wait', 'way', 'coffee', 'muffin', 'morning', 'person', 'wait', 'wait']

Avant :     I ordered a salad for takeout and a grilled cheese for my kiddo. The prices were higher than I expec
Après :     ['order', 'salad', 'takeout', 'grill_cheese', 'kiddo', 'price', 'expect', 'grill_cheese', 'pickle', 'forgot']

Avant :     The worst customer service, the guy that was serving me looked like he was the manager , I asked him
Après :     ['customer_service', 'guy', 'serve', 'look', 'manager', 'ask', 'chicken', 'plate', 'one', 'sit']

Avant :     So just traveling through and stopped for to-go order. No verbal greeting from the lady with dreadlo
Après :     ['travel', 'stop', 'order', 'greeting', 'lady', 'dreadlock', 'seem', 'annoy', 'fix', 'bowl']

Avant :     One star is significantly more than they deserve. Incredibly poor service repeatedly.
Après :     ['star', 'deserve', 'service']

Avant :     This place continued to be below average. Small servings, esp with the meat, and servers who are mor
Après :     ['place', 'serving', 'meat', 'server', 'hurry', 'customer', 'need', 'freebird', 'arrive', 'put']

Avant :     I will concur with the other reviews regarding poor service. The lady who took our order was ok but 
Après :     ['review', 'regard', 'service', 'lady', 'take', 'order', 'lady', 'make', 'wife', 'soap']

Avant :     Service was terrible.
Even told the manager it seemed like everyone didn't want to be there, her res
Après :     ['service', 'tell', 'manager', 'seem', 'want', 'response', 'time', 'eat']

Avant :     Ordered a  vegetable salad, already kind of weird that a salad is named "vegetable" salad, but any w
Après :     ['order', 'vegetable', 'salad', 'salad', 'name', 'vegetable', 'way', 'vegetable', 'salad', 'consist']

Avant :     First off it's no longer a Thai restaurant but the sign is still up.  Very deceitful.  We order fish
Après :     ['restaurant', 'sign', 'order', 'fish_chip', 'take', 'minute', 'bland', 'serve', 'vinegar', 'freeze']

Avant :     Gee, Normands. It would have been nice if you had seen fit to update your website with the fact that
Après :     ['normand', 'nice', 'see', 'update', 'website', 'fact', 'close', 'construction', 'chunk', 'husband']

Avant :     At Schnucks looking at the damage done to my front bumper from one of their stupid shopping carts. T
Après :     ['schnuck', 'look', 'damage', 'bumper', 'shopping', 'cart', 'schnuck', 'schnuck', 'grocery_store', 'come']

Avant :     I waited for 10 minutes at seafood counter before someone finally came to take my order. The person 
Après :     ['wait_minute', 'counter', 'come', 'take', 'order', 'person', 'meat', 'counter', 'say', 'help']

Avant :     schnucks is a union busting, cheap, corporation, trying to squeeze every penny from their employees.
Après :     ['schnuck', 'union', 'bust', 'corporation', 'try', 'squeeze', 'penny', 'employee', 'family', 'shop']

Avant :     If there was a zero I'd give it. Kicking out the Salvation Army and the Girl Scouts. What kind of bo
Après :     ['give', 'kick', 'salvation', 'army', 'girl', 'scout', 'management', 'run', 'chain', 'store']

Avant :     I have been told by numerous native philadelphians that Ralph's is one of the best Italian restauran
Après :     ['tell', 'restaurant', 'city', 'experience', 'think', 'start', 'grill', 'appetizer', 'soak', 'sauce']

Avant :     No credit cards =  no good for business. Good local South Philly fare though. Service is adequate as
Après :     ['credit_card', 'business', 'south', 'fare', 'service', 'atmosphere', 'recommend', 'victor', 'cafe']

Avant :     Crap. Period. Canned mushrooms on the veal. Oldest Italian restaurant, uh ok. How about good food pr
Après :     ['crap', 'period', 'mushroom', 'veal', 'restaurant', 'food', 'prepare', 'use', 'make', 'line']

Avant :     A few years ago I bit into my roasted peppers AND a fish hook. The staff could not have cared less, 
Après :     ['year', 'bit', 'pepper', 'fish', 'hook', 'staff', 'care', 'insinuate', 'bring', 'hook']

Avant :     First time eating at this restaurant. Service is fine, food is authentic, prices are somewhat reason
Après :     ['time', 'eat', 'restaurant', 'service', 'food', 'price', 'cash', 'step', 'millennium']

Avant :     6 at our table. Had never been here in all my years in Phiily. Was not too impressed.

Actually, it 
Après :     ['table', 'year', 'meal', 'serve', 'side', 'order', 'meatball', 'broccoli', 'rabe', 'way']

Avant :     The restaurant is in the middle of the Italian Market on ninth st. The restaurant is old school, red
Après :     ['restaurant', 'market', 'restaurant', 'school', 'sauce', 'place', 'type', 'place', 'look', 'look']

Avant :     just went for my first experience at the "famous" Ralphs Italian Restaurant. And i know it will be m
Après :     ['experience', 'restaurant', 'know', 'service', 'rush', 'waiter', 'attitude', 'party', 'waiter', 'food']

Avant :     Not the best Italian in town. You are better off going to Villa Di Roma down the street. The do howe
Après :     ['town', 'give', 'portion', 'food', 'mediocre', 'order', 'come', 'water', 'sauce', 'flavor']

Avant :     Absolutely horrible experience. The server couldn't have been any more rude or unprofessional. 
The 
Après :     ['experience', 'server', 'entree', 'appetizer', 'suck', 'find', 'reason', 'return', 'place', 'pride']

Avant :     I was excited to visit Philadelphia's ancient Italian eatery and convinced a group of my friends to 
Après :     ['visit', 'eatery', 'convince', 'group', 'friend', 'join', 'industry', 'think', 'staff', 'meal']

Avant :     Salad was so oily... The 38 dollar steak was so hard couldn't even chew it.. The calamari gravy wate
Après :     ['salad', 'dollar', 'steak', 'chew', 'gravy', 'think', 'add', 'grate', 'cheese', 'give']

Avant :     I think they are living off of the reputation of olden days.  The food was just meh.  A lot of histo
Après :     ['think', 'living', 'reputation', 'day', 'food', 'meh', 'lot', 'history', 'place', 'use']

Avant :     This place was highly recommended and so maybe it raised my expectations a bit.  I should have read 
Après :     ['place', 'recommend', 'raise', 'expectation', 'bit', 'read_review', 'veal', 'sauce', 'crab', 'meat']

Avant :     An OK Italian restaurant in Philadelphia's Little Italy. The upstairs dining room was interesting bu
Après :     ['restaurant', 'dining_room', 'table', 'sit', 'pasta', 'anchovy', 'salad', 'salad', 'bar', 'ask']

Avant :     Not a fan. Sorry. I'm clearly in the minority here. I had the Chicken Platter, which ended up being 
Après :     ['fan', 'minority', 'chicken', 'platter', 'end', 'flatten', 'bread', 'fry', 'chicken', 'cutlet']

Avant :     Uggh... another overambitious trying-to-be-trendy food truck. I'm surpised it lasted this long. 

I'
Après :     ['uggh', 'try', 'food', 'truck', 'surpise', 'last', 'see', 'year', 'eat', 'cucina']

Avant :     Stopped here on my way out of Philly, I had to see what the buzz was about!

The short rib tacos wer
Après :     ['stop', 'see', 'taco', 'sell', 'choose', 'choose', 'think', 'choose', 'fry', 'spicy']

Avant :     It's called El Tequila yet there is no alcohol! Terrible service, run down and dirty place, food was
Après :     ['call', 'service', 'run', 'place', 'food', 'price']

Avant :     This place is walking distance to my office and the lunch prices are pocket friendly! But the food i
Après :     ['place', 'walk_distance', 'office', 'lunch', 'price', 'pocket', 'food', 'unappealing', 'recommend']

Avant :     Whether its a Sunday night or a Friday night, I expect service to be splendid. With the location bei
Après :     ['night', 'night', 'expect', 'service', 'location', 'downtown', 'tampa', 'expectation', 'value', 'estate']

Avant :     Boo
Après :     ['boo']

Avant :     They helped me get a refund as I was injured and could not use 2 Groupons! Nice of them to do so as 
Après :     ['help', 'refund', 'injure', 'use', 'groupon', 'obligation', 'thank']

Avant :     Someone needs to teach these guys how to make a Rueben. Worst I have ever eaten. If rest of sandwich
Après :     ['need', 'teach', 'guy', 'make', 'rueben', 'eat', 'rest', 'sandwich']

Avant :     Wanted to try this place for the first time. We pick up a menu to order later. A few hours later we 
Après :     ['want', 'try', 'place', 'time', 'pick', 'menu', 'order', 'hour', 'call', 'delivery']

Avant :     I saw a sign that said free for kids on Monday. This was false advertising cause they only have this
Après :     ['see', 'sign', 'say', 'kid', 'advertising', 'cause', 'promotion', 'fall', 'complain', 'food']

Avant :     Food is good when it eventually shows up.  Messed up our son's order and we had to ask multiple time
Après :     ['food', 'show', 'order', 'ask', 'time', 'straighten', 'receive', 'order', 'appetizer', 'take']

Avant :     Impossible to get a hot burger here.  They don't have food runners (bad idea) so the food just sits 
Après :     ['burger', 'runner', 'idea', 'food', 'sit', 'sit', 'waiter', 'time', 'food', 'deliver']

Avant :     The service was ok. the main course was absolutely terrible. the burger i ordered had some spice on 
Après :     ['service', 'course', 'burger', 'order', 'spice', 'stomach', 'ask', 'fish', 'party', 'sauce']

Avant :     My silverware had food residue all over it. That is just disgusting and unsanitary. My husband got f
Après :     ['silverware', 'food', 'residue', 'husband', 'food_poisoning', 'eat', 'burger', 'come']

Avant :     Ordered for pickup and they told me about 20 minutes. I arrived and told the hostess that I was ther
Après :     ['order', 'pickup', 'tell', 'minute', 'arrive', 'tell', 'hostess', 'pick', 'order', 'tell']

Avant :     Worst experience. Burnt chicken. Way over prices for small amounts of food. WARNING: If you get a ta
Après :     ['experience', 'burn', 'chicken', 'way', 'price', 'amount', 'food', 'warn', 'combo', 'thing']

Avant :     Worst and rudest service! They couldn't be bothered. Left standing there waiting to order their medi
Après :     ['service', 'bother', 'leave', 'stand', 'wait', 'order', 'food', 'employee', 'stand', 'talk']

Avant :     So it's 6:30 pm and all flights at the airport are delayed due to weather. This pizza place is right
Après :     ['airport', 'delay', 'weather', 'pizza', 'place', 'place', 'grab', 'bite', 'problem', 'food']

Avant :     No stars, can't even get two plates. They just stack the slices on top of each other, even if there 
Après :     ['star', 'plate', 'stack', 'slice', 'top', 'kind', 'pie', 'bite', 'spit', 'spend']

Avant :     Decent pizza. A little pricey. its in an airport so what do you expect?
Après :     ['pizza', 'airport', 'expect']

Avant :     Waste of calories. I typically watch what I eat but every  now and then I splurge. Besides, I was ri
Après :     ['waste', 'calorie', 'watch', 'eat', 'splurge', 'today', 'protein', 'bar', 'make_decision', 'pizza']

Avant :     Went to get the pizza and beer combo for $10. Unfortunately for me the girl behind the counter wasn'
Après :     ['pizza', 'beer', 'combo', 'girl_counter', 'serve', 'beer', 'take', 'money']

Avant :     Got in line because it was short and didn't have much time until flight departure. Only one person c
Après :     ['line', 'time', 'flight', 'departure', 'person', 'cook', 'guy', 'move', 'see', 'forgot']

Avant :     This place is horrible . Terrible customer service and very slow . Drinks were overflowing on the ta
Après :     ['place', 'customer_service', 'drink', 'overflow', 'table']

Avant :     If you are going to charge $6 for truffle fries it would be great if they were close to warm and did
Après :     ['charge', 'truffle_fry', 'close', 'look', 'scrap', 'fry', 'wait_minute', 'burger', 'arrive', 'put']

Avant :     Ordered take out from this place tonight. It was by far the worst meal I have ever had. I ordered th
Après :     ['order', 'take', 'place', 'tonight', 'meal', 'order', 'chicken', 'parmesan', 'dish', 'screw']

Avant :     We were there for lunch, when the restaurant first opened for the day.  We were the only table there
Après :     ['lunch', 'restaurant', 'open', 'day', 'table', 'minute', 'minute', 'order', 'require', 'change']

Avant :     Zack at the Goleta In N Out was very rude. He seemed very upset about his job. He was taking orders 
Après :     ['seem', 'job', 'take', 'order', 'parking_lot', 'food', 'know', 'visit', 'goleta', 'thank']

Avant :     They lie about how long orders will take. Big time. I have never met more incompetent/inconsiderate 
Après :     ['lie', 'order', 'take', 'time', 'meet', 'inconsiderate', 'staff', 'life']

Avant :     Doesn't taste anything like it used to the meat taste awful he fries are less thick and taste like c
Après :     ['taste', 'use', 'meat', 'taste', 'fry', 'taste_cardboard', 'food', 'burger', 'year']

Avant :     In out burger doesn't seem to be what they used to be. After I got my burger and fries I had to retu
Après :     ['seem', 'use', 'burger', 'fry', 'return', 'fry', 'stiff', 'take_bite', 'burger', 'wait']

Avant :     Food good on a road trip.All the cooks and servers were not wearing gloves!!! The Cashier was pattin
Après :     ['food', 'road_trip', 'cook', 'server', 'wear_glove', 'cashier', 'patting', 'cheese', 'fry', 'wave']

Avant :     VERY disappointed in the service and food at the Goleta location today. I had never tried In-N-Out a
Après :     ['service', 'food', 'goleta', 'location', 'today', 'try', 'wait_minute', 'drive', 'order', 'ask']

Avant :     The food is 5 stars as far as fast food goes, customer service is normally top notch. The reason for
Après :     ['food', 'star', 'food', 'customer_service', 'notch', 'reason', 'lower', 'today', 'year', 'slip']

Avant :     Really, really want this place to work for all. Only one veggie choice, risotto, just isn't enough. 
Après :     ['want', 'place', 'work', 'veggie', 'choice', 'risotto', 'add', 'veggie', 'pasta', 'help']

Avant :     Nicely decorated place and I really wanted to like this place when I walked in. but the sub-par serv
Après :     ['decorate', 'place', 'want', 'place', 'walk', 'sub_par', 'service', 'food', 'wait', 'dinner']

Avant :     I just had my second visit at this restaurant hoping it would be better than the last time I ate the
Après :     ['visit', 'restaurant', 'hope', 'time', 'eat', 'route', 'head', 'home', 'cornbread', 'cabbage']

Avant :     Ordered the General Tso's Chicken and the only decent thing about this place was the chicken and the
Après :     ['order', 'thing', 'place', 'chicken', 'delivery', 'girl', 'food', 'taste', 'cook', 'recommend']

Avant :     Food is overpriced and the menu online is not the same as the menu in the cafe.  The food is the sam
Après :     ['food', 'overprice', 'menu', 'online', 'menu', 'cafe', 'food', 'price', 'advertising', 'impress']

Avant :     I like everything about this place but the food.  Owner is nice and polite, menu has quite a few opt
Après :     ['place', 'food', 'owner', 'menu', 'option', 'taste', 'food', 'appeal', 'try', 'alot']

Avant :     This place was terrible.  We had a muffin out of the case that you could have used to play hockey wi
Après :     ['place', 'muffin', 'case', 'use', 'play', 'hockey', 'breakfast', 'nachos', 'use', 'microwave']

Avant :     First off Sun Studios is in Memphis not Nashville so I don't know why they have themed this restaura
Après :     ['sun', 'studio', 'nashville', 'know', 'restaurant', 'counter', 'seat', 'fun', 'theme', 'ignore']

Avant :     The Breakfast Taco was good enough to eat although nothing special about it. Service was poor and ve
Après :     ['breakfast', 'eat', 'service_slow', 'server', 'take', 'care', 'breakfast', 'guest', 'support', 'management']

Avant :     Waited and waited and waited for food. Then one of us got their order (the one who came 15 min late 
Après :     ['wait', 'wait', 'wait', 'food', 'order', 'come', 'order', 'waitress', 'say', 'order']

Avant :     This place is fine.  I order take-out sushi from here occasionally because I use restaurant.com coup
Après :     ['place', 'order', 'take', 'use', 'restaurant', 'com', 'coupon', 'food', 'stay', 'fry']

Avant :     A friend suggested I go here when I said I wanted a steak. This review is only about the food and no
Après :     ['friend', 'suggest', 'say', 'want', 'steak', 'review', 'food', 'service', 'steak', 'hand']

Avant :     Hair in chicken tenders and really soggy twisted chips. Haven't seen server in awhile to tell him...
Après :     ['hair', 'chicken_tender', 'soggy', 'chip', 'see', 'server', 'tell', 'update', 'take', 'meal']

Avant :     Waitress left food to sit and get cold while fries cooked. So my husband had hot fries, but the burg
Après :     ['waitress', 'leave', 'food', 'sit', 'fry', 'cook', 'husband', 'fry', 'grill', 'fish']

Avant :     Restaurant is clean and large
Hostess had no personality, didn't greet with hello and was basically 
Après :     ['restaurant', 'hostess', 'personality', 'greet', 'robot', 'chat', 'pal', 'work', 'customer', 'visit']

Avant :     Usually like this place,  most of the food is average,  but the twisted chips make it well worth the
Après :     ['place', 'food', 'chip', 'make', 'trip', 'remove', 'menu', 'need']

Avant :     Although our server was very nice, he was forgetful and not attentive. We ordered an appetizer right
Après :     ['server', 'attentive', 'order', 'appetizer', 'order', 'entree', 'min', 'appetizer', 'come', 'server']

Avant :     Went there again on a Wednesday night and once again NO OYSTERS! I'm beginning to think this is part
Après :     ['night', 'oyster', 'begin', 'think', 'part', 'ploy', 'cut', 'cost', 'charge', 'price']

Avant :     What a disappointment tonight's dinner was. They were out of everything (oysters, fish, etc.). If yo
Après :     ['disappointment', 'tonight', 'dinner', 'oyster', 'fish', 'door', 'business', 'prepare', 'serve', 'customer']

Avant :     I've been here before and enjoyed the food. This time however, we found a cockroach on our table. I 
Après :     ['enjoy', 'food', 'time', 'find', 'cockroach', 'table', 'lose_appetite', 'tell', 'staff', 'show']

Avant :     The service was so very bad. We walked out after waiting half an hour for any food to appear. Avoid 
Après :     ['service', 'walk', 'wait', 'hour', 'food', 'appear', 'avoid', 'place']

Avant :     We went here for breakfast and will never return! This restaurant is filthy! Floors, walls, Windows 
Après :     ['breakfast', 'return', 'restaurant', 'floor', 'wall', 'window', 'silverware', 'dry', 'food', 'mug']

Avant :     I took the wife out last night for dinner. We stood up front waiting to be seated. Once we got seate
Après :     ['take', 'wife', 'night', 'dinner', 'stand', 'wait', 'seat', 'take', 'drink', 'order']

Avant :     HORRIBLE! this place gives meaning to the word crap! This place is in a great spot next to the airpo
Après :     ['place', 'give', 'mean', 'word', 'crap', 'spot', 'airport', 'work', 'airport', 'mention']

Avant :     Nice place for breakfast or lunch any time of the day.  However,  there was no soup in the men's or 
Après :     ['place', 'breakfast', 'lunch', 'time', 'day', 'soup', 'man', 'woman', 'restroom', 'today']

Avant :     I stopped in for lunch and got the soup and sandwich special.  Server was very courteous and the cof
Après :     ['stop_lunch', 'soup', 'sandwich', 'server', 'coffee', 'rest', 'soup', 'taste', 'week', 'come']

Avant :     OK let's start by saying way understaffed...... Ordered breakfast... Potatoes hard not cooked !!!! T
Après :     ['let_start', 'say', 'way', 'order', 'breakfast', 'potato', 'cook', 'take', 'time', 'egg']

Avant :     While the dessert case looked awesome, I got a grilled chicken salad and didn't like it at all. The 
Après :     ['case', 'look', 'grill', 'chicken', 'salad', 'chicken', 'ok', 'ranch', 'dressing', 'taste']

Avant :     My family and I haven't been here in about 5 yrs ... we will not go back again.. I don't know if the
Après :     ['family', 'know', 'management', 'ceiling', 'hole', 'table', 'sit', 'leak', 'bucket', 'use']

Avant :     Well, I have been visiting Arner's for many years, but had been out of state for a few years now.  T
Après :     ['visit', 'arner', 'year', 'state', 'year', 'salad', 'bar', 'come', 'visit', 'bread']

Avant :     we went there thinking this food would be good, but it was the most lousy meal we ever had and we wi
Après :     ['think', 'food', 'meal', 'salad', 'bar', 'choice', 'meal', 'greasy', 'pie', 'taste']

Avant :     I just went here for the pie. That's it. The coconut custard looked and smelled like eggs not coconu
Après :     ['pie', 'custard', 'look', 'egg', 'pie', 'buy', 'dollar', 'fill', 'consistency', 'bread_pudding']

Avant :     over priced dinner food. I ordered a burger with Onion rings for take out. Got my order and it had f
Après :     ['price', 'dinner', 'food', 'order', 'onion_ring', 'take', 'order', 'ring', 'meal', 'charge']

Avant :     Very disappointing experience- none of the food that is advertised on the website and pictured on ye
Après :     ['experience', 'none', 'food', 'advertise', 'website', 'picture', 'yelp', 'serve', 'house', 'selection']

Avant :     So annoyed. My wife and I decided to try ITV after hearing all the buzz. Made a reservation via Open
Après :     ['wife', 'decide', 'try', 'hear', 'buzz', 'make_reservation', 'table', 'require', 'credit_card', 'try']

Avant :     Mazarro's is fabulous, of course. On my visit yesterday, I was very disappointed they refused to sel
Après :     ['course', 'visit', 'yesterday', 'refuse', 'sell', 'meat', 'cut', 'man', 'say', 'order']

Avant :     Visiting from LA thought it would be nice to pick up some pastries for friends. Showed up at 6:03. P
Après :     ['visit', 'thought', 'nice', 'pick', 'pastry', 'friend', 'show', 'people', 'door', 'let']

Avant :     The worst customer service I've experienced in a retail grocery store of this magnitude. The product
Après :     ['customer_service', 'experience', 'grocery_store', 'magnitude', 'product', 'sell', 'expect', 'treat', 'garbage', 'time']

Avant :     Location has been closed for months.
Après :     ['location', 'close', 'month']

Avant :     This review is for breakfast. I stopped in for a coffee and bagel while waiting for my car at Firest
Après :     ['review', 'breakfast', 'stop', 'coffee', 'bagel', 'wait', 'car', 'firestone', 'door', 'freeze']

Avant :     Went to Blackberry again for lunch today and noticed that the cleanliness level definitely was not w
Après :     ['lunch_today', 'notice', 'cleanliness', 'level', 'salad', 'none', 'confuse', 'salad', 'mean', 'ingredient']

Avant :     Several months ago I ordered the ahi tuna burger, it was delicious. 
Today, I decided to reorder sin
Après :     ['month', 'order', 'tuna', 'today', 'decide', 'reorder', 'experience', 'put', 'order', 'pick']

Avant :     We showed up at 10:07pm on a Sunday and they were closed. Website, Yelp, and sign on door clearly st
Après :     ['show', 'website', 'yelp', 'door', 'state', 'belly', 'lie', 'belly', 'make', 'promise']

Avant :     Not great if you don't have the metabolism of a college student. Japanese Fried Chicken was great on
Après :     ['metabolism', 'college_student', 'fry', 'bite', 'balance', 'aspect', 'become', 'delicious', 'fry', 'egg']

Avant :     Horrible experience. I ordered a Bloody Mary from the less than friendly bartender. My wife ACCIDENT
Après :     ['experience', 'order', 'bartender', 'wife', 'knock', 'result', 'spill', 'floor', 'think', 'throw']

Avant :     I had such high hopes for this place! We visited on a Thursday night and there was only one other ta
Après :     ['hope', 'place', 'visit', 'night', 'table', 'take', 'hour', 'food', 'waitress', 'forgot']

Avant :     Hit or miss, lately it's been more of a miss. 

Food always takes forever. Last time I went, I was s
Après :     ['hit_miss', 'miss', 'food', 'take', 'time', 'serve', 'chicken', 'wait', 'hour', 'waitress']

Avant :     So here recently the staff has apparently decided to just close up shop whenever they feel like it r
Après :     ['staff', 'decide', 'shop', 'feel', 'post', 'business', 'hour', 'make', 'wonder', 'owner']

Avant :     I ordered the bento box and it was terrible. The food was bland, spring rolls were complete mush on 
Après :     ['order', 'bento', 'box', 'food', 'bland', 'spring_roll', 'mush', 'wife', 'order', 'chicken']

Avant :     This is a place I have enjoyed eating at. However, last night we walked out. The server and one of t
Après :     ['place', 'enjoy', 'eat', 'night', 'walk', 'server', 'owner', 'rude', 'expecting', 'time']

Avant :     Was charged $2 for water out the sink in a cup. Catfish was flavorful but not cooked to order.
Après :     ['charge', 'catfish', 'order']

Avant :     Waited an hour for a Caesar salad with a tiny chicken finger on it that cost an extra $5. Sadly the 
Après :     ['wait', 'hour', 'salad', 'chicken_finger', 'cost', 'hour', 'wait', 'story', 'night', 'stop']

Avant :     Horrible service. Absolutely NO manners. Absolutely NO respect for their customers.
Food is "ok".
Bu
Après :     ['service', 'manner', 'respect', 'customer', 'food', 'rudeness', 'staff', 'force', 'eat', 'place']

Avant :     I ordered the fish tacos (tilapia) for lunch for $12. The menu didn't indicate whether they were cor
Après :     ['order', 'fish', 'lunch', 'menu', 'indicate', 'corn', 'flour', 'indicate', 'assume', 'place']

Avant :     Portion sizes are kinda disappointing for the price. Many of the rice dishes are basically just some
Après :     ['portion_size', 'price', 'rice', 'dish', 'pan', 'fry', 'breast', 'smother', 'sauce', 'serve']

Avant :     Lunch for 3 was almost $40.00. My "large size" chicken w/ noodle dish had 4 tiny pieces of chicken i
Après :     ['lunch', 'size', 'chicken', 'noodle', 'dish', 'piece_chicken', 'meal', 'come', 'smile', 'none']

Avant :     In full disclosure, I really enjoy going to Pei Wei for take out.  I don't get to go often, but when
Après :     ['disclosure', 'enjoy', 'take', 'look', 'wife', 'suggest', 'take', 'meal', 'word', 'come']

Avant :     Pretty good beer list but the service is terrible. Waited 15 minutes for a beer and then another 15 
Après :     ['beer', 'list', 'service', 'wait_minute', 'beer', 'check', 'street', 'want', 'meal', 'service']

Avant :     Completely sketchy. They closed the bar at 6:45pm on a Saturday night "for 30 minutes" while the sta
Après :     ['bar', 'pm', 'night', 'staff', 'laugh', 'hang']

Avant :     Worst steak I've ever had. Ordered the petite filet. Was mostly gristle. What meat I could find had 
Après :     ['steak', 'order', 'filet', 'meat', 'find', 'flavor', 'color', 'texture', 'order', 'medium']

Avant :     We have enjoyed many three-star meals here, often before boarding a train. But today, we struck out.
Après :     ['enjoy', 'star', 'meal', 'board', 'train', 'today', 'strike', 'minute', 'meal', 'seat']

Avant :     The service is very nasty here. I can only assume its because there are transient people that walk i
Après :     ['service', 'assume', 'people', 'walk', 'harass', 'waitress', 'need', 'security', 'guy', 'help']

Avant :     My best friend and her father were going in there to buy drinks and my friend got kicked out because
Après :     ['friend', 'father', 'buy', 'drink', 'friend', 'kick', 'bring', 'cinnamon', 'bun', 'make']

Avant :     After we ordered our beer we noticed our phones were dying, and desperately needed to charge them si
Après :     ['order', 'beer', 'phone', 'die', 'need', 'charge', 'bus', 'ticket', 'ask', 'minute']

Avant :     If you're looking to be treated like royalty, this isn't the dynasty for you.  We were rushed out of
Après :     ['look', 'treat', 'royalty', 'dynasty', 'rush', 'restaurant', 'meal', 'one', 'minute', 'post']

Avant :     I can't coment on the food because I did not want to have to listen to the asinine
Maitre dee.
Rude 
Après :     ['food', 'want', 'listen', 'dee', 'inconsiderate', 'think', 'watch', 'mouth', 'hear', 'food']

Avant :     Ordered takeout. The braised beef noodle soup was very very oily. It's not sitting well with me with
Après :     ['order', 'takeout', 'braise', 'beef', 'noodle_soup', 'sit', 'read_review', 'say', 'place', 'nope']

Avant :     We go to the korean BBQ place next to this chinese restaurant once a week but never check it out. We
Après :     ['restaurant', 'week', 'check', 'place', 'tonight', 'close', 'decide', 'give', 'place', 'try']

Avant :     So I came for lunch buffet around 12:30 pm. The food has not been replenished even after asking for.
Après :     ['come', 'lunch_buffet', 'food', 'replenish', 'ask', 'tandoori', 'piece', 'guest', 'take', 'staff']

Avant :     It's bad. More breading than meat. Frozen Chinese food, it's a cookie cutter pop up Chinese restaura
Après :     ['bread', 'meat', 'food', 'cookie', 'cutter', 'pop', 'restaurant']

Avant :     Totally gross. Will never eat here again. Ugh.  I can scrape better food off the bottom of my shoe. 
Après :     ['eat', 'ugh', 'scrape', 'food', 'shoe', 'mess', 'food', 'place', 'cover', 'place']

Avant :     I'm done with this place. The food is mediocre on a good day. I've tried giving them chances but I'm
Après :     ['place', 'food', 'day', 'try', 'give_chance', 'order', 'drowning', 'sauce', 'spicy', 'fry_rice']

Avant :     Eww.   Smelled like the bottom-scrapings of 1000 ash trays.  We had one drink and got hot on by one 
Après :     ['smell', 'scraping', 'ash', 'tray', 'drink', 'lady', 'patron', 'way', 'stay_business']

Avant :     Ate lunch here... was not impressed. I ordered their blt CHEESE burger. What I got had no cheese at 
Après :     ['eat', 'lunch', 'impress', 'order', 'cheese', 'burger', 'cheese', 'flavor', 'bartender', 'eat']

Avant :     Just had a "ramen" delivered... All I'm going to say is, you're better off eating the instant ramen 
Après :     ['raman', 'deliver', 'say', 'eat', 'raman', 'soup', 'time', 'try', 'place']

Avant :     Really expensive and the food proportions were small. I gave it 2 stars because of the location. But
Après :     ['food', 'proportion', 'give_star', 'location', 'think', 'restaurant', 'parking', 'place']

Avant :     Sushi eaters beware. My family and I just ate here. My family ordered cooked items off the menu, and
Après :     ['beware', 'family', 'eat', 'family', 'order', 'item', 'menu', 'hand', 'order', 'make']

Avant :     Why did they offer to place a pick up order if they're not going to do it right?  We ordered the won
Après :     ['offer', 'place', 'pick', 'order', 'order', 'raman', 'broth', 'come', 'wonton', 'soup']

Avant :     Spot: great
Food presentation: just ok
Food quality: just ok

Service quality: terrible.
Après :     ['spot', 'food', 'presentation', 'food', 'quality', 'service', 'quality']

Avant :     Worst sushi place ever. The owner was very very rude and made us feel very uncomfortable the whole t
Après :     ['owner', 'rude', 'make', 'feel', 'time', 'food', 'food_poison', 'fish', 'place', 'keep']

Avant :     Their drive-thru is so slow it hurts. I recommend bringing food from the Wendy's next door because b
Après :     ['drive', 'hurt', 'recommend', 'bring', 'food', 'wendy', 'door', 'time', 'food']

Avant :     15 minutes from when I ordered till I got my food However they were busy with one car in front of me
Après :     ['minute', 'order', 'food', 'car', 'front', 'lol', 'food', 'mess', 'taste', 'crap']

Avant :     This whole branch needs to lose their fucking jobs. Enjoy waiting in line for 30 minutes and having 
Après :     ['branch', 'need', 'lose', 'job', 'enjoy', 'wait_line', 'minute', 'item', 'miss', 'bag']

Avant :     Listen, I love burgers and I've also worked in food service for a long time, including food trucks. 
Après :     ['listen', 'love', 'burger', 'work', 'food', 'service', 'time', 'include', 'food', 'truck']

Avant :     Beef chow fun was very bland. My friend who is a curry fanatic wasn't able to finish her dish and it
Après :     ['curry', 'finish', 'dish', 'portion_size', 'house', 'rice', 'fish', 'ball', 'octopus', 'expect']

Avant :     So I ordered pad thai. The waitress ask what kind of meat i want and i said chicken. Then she brough
Après :     ['order', 'pad', 'ask', 'meat', 'want', 'say', 'chicken', 'bring', 'say', 'pad']

Avant :     This is a KFC/Taco Bell combo place.  Both are housed in same building.  This place isn't unlike man
Après :     ['place', 'house', 'build', 'place', 'food', 'place', 'restroom', 'stink', 'woman', 'restroom']

Avant :     If you're not a food snob, but like good Mexican food, you'll still be sorry you came. 

The salsa i
Après :     ['food', 'snob', 'food', 'come', 'tomato', 'jar', 'dice', 'experience', 'food', 'arrive']

Avant :     Worst restaurant I've been to in a very very long time. First of all my server was horrible. She did
Après :     ['restaurant', 'time', 'server', 'tell', 'special', 'tell', 'want', 'want', 'chicken_quesadilla', 'listen']

Avant :     There was a hair in my girlfriends rice. Staff is really nice, food is mediocre. We just were in cit
Après :     ['hair', 'girlfriend', 'rice', 'staff', 'food', 'city', 'want', 'bite', 'eat', 'rating']

Avant :     So disappointed...pho broth was just ok and they really skimped out on the beef brisket. My husband'
Après :     ['pho', 'broth', 'skimp', 'beef', 'brisket', 'husband', 'bahn', 'pork_sandwich', 'bread', 'meat']

Avant :     This place is overrated. 4.5 stars on yelp should say something about this place. Went here for dinn
Après :     ['place', 'overrate', 'star', 'yelp', 'say', 'place', 'dinner', 'friend', 'taste', 'thing']

Avant :     I wrote a review on this place before about how the pho soup tasted inauthentic and very watered dow
Après :     ['write_review', 'place', 'taste', 'water', 'review', 'owner', 'place', 'message', 'say', 'type']

Avant :     Toooo expensive! 12.00 for a drink and a bowl of vegetable soup. At least serve dessert with it. Bac
Après :     ['toooo', 'drink', 'vegetable', 'serve', 'dessert', 'seattle', 'cream', 'puff', 'place', 'price']

Avant :     I went here with a couple of people and I thought the food is great but it wasn't.  I noticed that a
Après :     ['couple', 'people', 'think', 'food', 'lot', 'people', 'restaurant', 'order', 'pho', 'place']

Avant :     Disappointed.  Was looking forward to an authentic Vietnamese meal after a week of eating Cajun food
Après :     ['look', 'meal', 'week', 'eat', 'make', 'way', 'slice', 'pork', 'cha', 'describe']

Avant :     I had to stop by this place for Viet food. I was told that NOLA has a pretty large Viet population s
Après :     ['stop', 'place', 'food', 'tell', 'population', 'expect', 'food', 'meh', 'sit', 'start']

Avant :     We were very excited to have a bowl of pho during our trip in New Orleans. We walked from the Lafaye
Après :     ['bowl', 'pho', 'trip', 'walk', 'lafayette', 'cemetery', 'try', 'yelp', 'rate', 'pho']

Avant :     Standard smash food but terrible service at the Malvern location.  They always seem overwhelmed and 
Après :     ['smash', 'food', 'service', 'malvern', 'location', 'seem', 'food', 'delivery', 'slow', 'lunch']

Avant :     Food is incredibly slow and place seems understaffed. Can't seem to deliver a whole tables order at 
Après :     ['food', 'place', 'seem', 'seem', 'deliver', 'table', 'order', 'lunch', 'deliver', 'wife']

Avant :     This place is horrible for service. I've been standing in line for 15 minutes and there's no one at 
Après :     ['place', 'service', 'stand_line', 'minute', 'register', 'register', 'person', 'bus', 'table', 'deliver']

Avant :     Worst ever. Waited 20 minutes for our to go order, spent $30 and couldn't eat one bite. The whole or
Après :     ['wait_minute', 'order', 'spend', 'eat', 'bite', 'order', 'name', 'burger', 'miss', 'fry']

Avant :     This is my first review and I really felt it was needed.  I love to cook but also love eating out . 
Après :     ['review', 'feel', 'need', 'love', 'cook', 'love', 'eat', 'see', 'restaurant', 'open']

Avant :     The place looks nice but the food is really bad and I got sick right after eating there. I ordered t
Après :     ['place', 'look', 'food', 'eat', 'order', 'egg', 'rubbery', 'piece', 'bacon', 'boyfriend']

Avant :     Nice looking restaurant,  but everything else was mediocre. The service was blah, they went through 
Après :     ['look', 'restaurant', 'service', 'blah', 'motion', 'lack', 'passion', 'female', 'waitress', 'seem']

Avant :     We went for lunch.  2. Iced teas. 1 cocktail. 2 Lunch special  tacos, salad,  broccoli w/bacon.  Lam
Après :     ['lunch', 'ice', 'lunch', 'taco', 'salad', 'broccoli', 'bacon', 'lamb', 'salad', 'veggie']

Avant :     Nice lively atmosphere, excellent service by Armando, food vey bland. Since I go to a restaurant for
Après :     ['atmosphere', 'service', 'armando', 'food', 'vey', 'bland', 'restaurant', 'food', 'return', 'pork_belly']

Avant :     I'm not sure what changed over the last year at this restaurant, but now it's just terrible food. Be
Après :     ['change', 'year', 'restaurant', 'food', 'start', 'come', 'filling', 'palatable', 'food', 'buffet']

Avant :     Terrible service haven't seen the waitress for  almost 25 minutes had to have somebody else fill the
Après :     ['service', 'see', 'waitress', 'minute', 'fill', 'drink']

Avant :     dirty, crowded,dirty, and the food..not very good; or m/b I thought it wasnt very good b/c I lost my
Après :     ['crowd', 'food', 'thought', 'lose_appetite', 'policeman', 'stand', 'head', 'line', 'maintain', 'crowd']

Avant :     I love greek food. And even though this place is 5 minutes from my house, I would drive to The Olymp
Après :     ['love', 'food', 'drive', 'olympia', 'macausland', 'stl', 'make', 'give', 'place', 'chance']

Avant :     I was waiting for a table with many other people and nobody come. It was 9:30 pm. We call the restau
Après :     ['wait', 'table', 'people', 'come', 'restaurant', 'say', 'open', 'appear', 'attend', 'guy']

Avant :     Don't go!!!! Walk a couple more feet and go to the Boardwalk Grill! Crowded crazy and definitely not
Après :     ['walk', 'couple', 'foot', 'boardwalk', 'grill', 'crowd', 'leave', 'seat', 'walk', 'step']

Avant :     Slowest service I have ever received in my life. Lunch took over two hours and was just ok. I will n
Après :     ['service', 'receive', 'life', 'lunch', 'take', 'hour', 'return', 'rain', 'pick', 'restaurant']

Avant :     There was a reason this place had plenty of open tables while the rest of the boardwalk was packed. 
Après :     ['reason', 'place', 'table', 'rest', 'boardwalk', 'pack', 'wait', 'staff', 'food', 'fry']

Avant :     No wait to be seated on a crowded Boardwalk?  That was the first bad sign. Our wait for food was rid
Après :     ['wait', 'boardwalk', 'sign', 'wait', 'food', 'food', 'average', 'family', 'ask', 'bread']

Avant :     Portions were TINY.  Total rip off.  Our server was good.  Server mentioned it to manager who never 
Après :     ['portion', 'rip', 'server', 'server', 'mention', 'manager', 'stop', 'give_star', 'care', 'hooter']

Avant :     This was our first time to Scullys and I know it's a tourist trap which is what I usually avoid, but
Après :     ['time', 'know', 'tourist_trap', 'avoid', 'case', 'town', 'friend', 'visit', 'want', 'overprice']

Avant :     The food was okay. I went in winter, and the seats by the door were brutal with drafts. The service 
Après :     ['food', 'winter', 'seat', 'door', 'draft', 'service', 'dislike', 'splitting', 'check', 'credit_card']

Avant :     Definitely the worst meal we've had down here in the ten plus years we've been vacationing here. My 
Après :     ['meal', 'year', 'vacation', 'husband', 'order', 'meal', 'deliver', 'thought', 'husband', 'jaw']

Avant :     Avoid.  The owners are laughing at you.  Didn't want to wait 45 min for The Boardwalk Grill,  the Hu
Après :     ['avoid', 'owner', 'laugh', 'want', 'wait', 'grill', 'hut', 'play', 'cover', 'music']

Avant :     The location is the only positive thing about this restaurant. It is located right on the boardwalk.
Après :     ['location', 'thing', 'restaurant', 'locate', 'boardwalk', 'view', 'water', 'see', 'dolphin', 'wait']

Avant :     I waited 25 min for two appetizers.  Fried grouper came out cold inside. Hot shrimp was vey salty.
Après :     ['wait_min', 'appetizer', 'fry', 'grouper', 'come', 'shrimp', 'vey', 'salty']

Avant :     Being kind in the review as it appears management who passed our table more than once totally avoide
Après :     ['appear', 'management', 'pass', 'table', 'avoid', 'view', 'thing', 'ice_tea', 'fish', 'greasy']

Avant :     Service was decent. Food was over priced and mediocre. Crab stuffed shrimp was greasy and soggy and 
Après :     ['service', 'food', 'price', 'crab', 'stuff', 'shrimp', 'steak', 'cook', 'order', 'come']

Avant :     Seems to be under new ownership. Waitress was friendly but continually voiced excuses as to why serv
Après :     ['seem', 'ownership', 'waitress', 'voice', 'excuse', 'service', 'order', 'wait', 'bring', 'meal']

Avant :     Waiter seemed really high when he waited on us. Ordered the grouper po boy the grouper nuggets in it
Après :     ['seem', 'wait', 'order', 'po_boy', 'grouper', 'nugget', 'mom', 'order', 'sandwich', 'bone']

Avant :     The service was very friendly. The food just ugh. We got 4 grouper sandwich with a handful fries and
Après :     ['service', 'food', 'ugh', 'sandwich', 'handful', 'fry', 'cole', 'slaw', 'water', 'tea']

Avant :     Too bad you can't rate no stars on Yelp. The hostess was a jerk. We walked into the entrance, 3 adul
Après :     ['rate', 'star', 'yelp', 'hostess', 'jerk', 'walk', 'entrance', 'adult', 'child', 'await']

Avant :     For a seafood place on the water the calamari was not fresh, fishy and chewy. The crab stuffed mushr
Après :     ['seafood', 'place', 'water', 'chewy', 'crab', 'stuff', 'mushroom', 'portion', 'price', 'menu']

Avant :     Not impressed.  Food was seemed to be marked up because of the prime location. Food came out quick b
Après :     ['food', 'seem', 'location', 'food', 'come', 'call']

Avant :     It was a very disappointing visit.  Our first and last time here.  We ordered the grouper bites for 
Après :     ['visit', 'time', 'order', 'bite', 'appetizer', 'come', 'open', 'buffalo', 'sauce', 'take']

Avant :     Not worth the money. Tourist trap central making you pay $125 (20% tip included) for 4 people. Only 
Après :     ['money', 'tourist_trap', 'making', 'pay', 'tip', 'include', 'people', 'appetizer']

Avant :     We got a late dinner here around 9pm and the food was not appetizing at all. The mash potatoes lacke
Après :     ['dinner', 'food', 'appetizing', 'mash_potato', 'lack_flavor', 'salt', 'seafood', 'diablo', 'pasta', 'seafood']

Avant :     Should have looked at the reviews first.  Ordered peel and eat shrimp, both hot and cold. Way over c
Après :     ['look', 'review', 'order', 'peel', 'eat', 'shrimp', 'way', 'cook', 'flavor', 'devein']

Avant :     Sad when I am forced to drop two stars from an old review. 

First the have force out the old cook a
Après :     ['force', 'drop', 'star', 'review', 'force', 'cook', 'run', 'work', 'counter', 'burn']

Avant :     we stopped in for fried chicken because it smelled great outside. it was 430 on a sunday and i didnt
Après :     ['stop', 'chicken', 'smell', 'feel', 'cooking', 'dinner', 'order', 'piece_chicken', 'order', 'fry']

Avant :     Our experience was lackluster to say the least. The waitress got the wrong orders and repeatedly ign
Après :     ['experience', 'say', 'waitress', 'order', 'ignore', 'request', 'change', 'keep', 'ask', 'want']

Avant :     After all the great reviews I thought this place was going to be awesome!! 
We went in for dinner an
Après :     ['review', 'think', 'place', 'dinner', 'room', 'table', 'waitress', 'table', 'lady', 'man']

Avant :     Mildly charming building; the food however is bad and overpriced.The baked artichokes were greasy an
Après :     ['building', 'food', 'artichoke', 'greasy', 'pasta', 'taste', 'salad', 'portion', 'review']

Avant :     Great location, we've been going there for years, used to be a tradition to take visitors from all o
Après :     ['location', 'year', 'use', 'tradition', 'take', 'visitor', 'visit', 'bartender', 'rant', 'rave']

Avant :     While the historic site certainly had it's charm and the waitress/hostess name fit her to a tee = Su
Après :     ['site', 'charm', 'hostess', 'name', 'fit', 'tee', 'food', 'expectation', 'flavor', 'beer']

Avant :     We are locals and have been going here for over 40 years
That being said we go for the ambiance, the
Après :     ['local', 'year', 'say', 'location', 'show', 'friend', 'piece', 'bbq', 'food', 'restaurant']

Avant :     I went in search of a possible Wedding Venue and literally couldn't have walked away quick enough. T
Après :     ['search', 'wedding', 'venue', 'walk', 'place', 'atmosphere', 'biker', 'bar', 'come', 'weekend']

Avant :     My favorite place is going down hill. Father's Day  four for dinner.  Everyone ordered steak except 
Après :     ['place', 'hill', 'dinner', 'order', 'steak', 'order', 'steak', 'deliver', 'fettuccini', 'word']

Avant :     What are these people talking about, they must work for the restaurant. My girlfriend and I ate here
Après :     ['people', 'talk', 'work', 'restaurant', 'girlfriend', 'eat', 'today', 'food', 'bland', 'microwave']

Avant :     After reading the reviews My husband and I were excited to come for a nice italian meal. I have to a
Après :     ['read_review', 'husband', 'excite', 'come', 'meal', 'admit', 'appetizer', 'meal', 'return']

Avant :     Just never changes  we tried  this place again after 12 years. Cheep cheep they just want to take ev
Après :     ['change', 'try', 'place', 'year', 'cheep', 'want', 'take', 'dollar']

Avant :     Ate here last night with a few girlfriends who had never been, I was here once prior and if I had to
Après :     ['eat', 'night', 'girlfriend', 'guess', 'say', 'place', 'fail', 'food', 'thought', 'year']

Avant :     I previously gave The Italian Affair 4 stars. This time out it is 2 (on sentimental value alone) and
Après :     ['give', 'affair', 'star', 'time', 'value', 'food', 'expect', 'portion', 'average', 'food']

Avant :     This place is terrible. The bagel was not edible, which is hard to believe considering I think it ca
Après :     ['place', 'believe', 'consider', 'think', 'come', 'store_buy', 'package']

Avant :     walked in, waited for customer service, not greeted, had questions, the clerk were busy... to busy f
Après :     ['walk', 'wait', 'customer_service', 'greet', 'question', 'clerk', 'customer']

Avant :     Probably the worst cioppino I have ever had in my life. So disappointing that I paid $16 for it
Après :     ['cioppino', 'life', 'pay']

Avant :     I went in place to have a beer & chicken wings on happy hour.  I have no complaints about the beer o
Après :     ['place', 'beer', 'chicken', 'wing', 'hour', 'complaint', 'beer', 'wing', 'customer_service', 'want']

Avant :     Inconsistent quality - pizza review only

Ordering a pizza from these guys is a roll of the dice.  S
Après :     ['quality', 'pizza', 'review', 'order', 'pizza', 'guy', 'roll', 'dice', 'time', 'regard']

Avant :     Extremely small 6 piece roll made of mostly rice. Very overpriced considering what you're given.
Après :     ['piece', 'roll', 'make', 'rice', 'overprice', 'consider', 'give']

Avant :     The sandwiches are minuscule and have a ton of bread compared to sandwich ingredients! I had a chick
Après :     ['sandwich', 'minuscule', 'ton', 'bread', 'compare', 'sandwich', 'ingredient', 'zucchini', 'put', 'zucchini']

Avant :     Bar tender is rude we came in and she is sick and coughing when we tried to play music on our phone 
Après :     ['bar_tender', 'rude', 'come', 'cough', 'try', 'play_music', 'phone', 'say', 'turn', 'hear']

Avant :     The worst hookah bar, bad service and dirty hookah. They said only cash after I finish!!!
Après :     ['bar', 'service', 'hookah', 'say', 'cash', 'finish']

Avant :     Friday I got Shrimp Curry as takeout.  Got sick, sick, sick all weekend.  Sunday went to the clinic 
Après :     ['takeout', 'weekend', 'clinic', 'tell', 'food_poisoning']

Avant :     Watch your statement!!! They changed my $11 tip to $14 probably thinking I wouldn't notice! I will n
Après :     ['watch', 'statement', 'change', 'tip', 'think', 'notice', 'return', 'food', 'lack', 'spice']

Avant :     Food use to be good here they got some new cooks and the quality of food really went down most of th
Après :     ['food', 'use', 'cook', 'quality', 'food', 'food', 'way', 'greasy', 'disappoint', 'use']

Avant :     The people who work here are nice, but the food wasn't very good. I got a carne asada burrito. The m
Après :     ['people_work', 'food', 'carne', 'asada', 'pick', 'spit', 'rice_bean', 'taste', 'powdery', 'guess']

Avant :     Went there @ 9:30 ordered breakfast burrito,
Left @ 9:47 no burrito. After setting and waiting for 1
Après :     ['order', 'breakfast', 'leave', 'set', 'waiting', 'minute', 'guy', 'counter', 'inform', 'bit']

Avant :     I normally give positive reviews on yelp because I think there is too much negativity in this world.
Après :     ['give', 'review_yelp', 'think', 'negativity', 'world', 'employee', 'unpleasant', 'food', 'mcdonald', 'fare']

Avant :     For a nonPork eater this place is disappointing . Literally can have like 1 meat on the menu. You gu
Après :     ['nonpork', 'eater', 'place', 'disappoint', 'meat', 'menu', 'guy', 'make', 'kill', 'invest']

Avant :     The worst place to get food delivered from. I would suggest starving over ordering here!! So they ch
Après :     ['place', 'food', 'deliver', 'suggest', 'starve', 'order', 'charge', 'food', 'order', 'follow']

Avant :     The food is delicious and it is extremely convenient.  The service on the other hand is terrible.

I
Après :     ['service', 'hand', 'terrible', 'order', 'pick', 'minute', 'show', 'say', 'minute', 'wait']

Avant :     It's either hit or miss when you come here. Some days you'll get a cheesesteak with the meat and che
Après :     ['hit_miss', 'come', 'day', 'cheesesteak', 'meat', 'cheese', 'mix', 'day', 'cheese', 'sit']

Avant :     Just go to Cali Pizza instead.  

I will NOT be going back to PWS.  Their hot wings are just excessi
Après :     ['pws', 'wing', 'bread', 'chicken', 'wing', 'sauce', 'side', 'think', 'place', 'call']

Avant :     Went here for an early dinner, ordered the chicken chimmie.  Food arrived, first two bites were grea
Après :     ['dinner', 'order', 'chicken', 'food', 'arrive', 'bite', 'chicken', 'see', 'chicken', 'texture']

Avant :     OMG...what a disappointment.
How can you screw up a Toppopo????
Instead of getting some shredded let
Après :     ['disappointment', 'screw', 'toppopo', 'shred', 'veggie', 'slice', 'cheese', 'chip', 'chicken', 'head']

Avant :     Ate here last night and we had 20 people. Worst experience.  Service was terrible. Food was cold. Ha
Après :     ['eat', 'night', 'people', 'experience', 'service', 'food', 'ask', 'chip', 'waiter', 'idea']

Avant :     How is this place still open? every yelp review has said they screw up your order? same happened to 
Après :     ['place', 'open', 'yelp_review', 'say', 'screw', 'order', 'happen', 'ignore', 'tell', 'order']

Avant :     Just got a chic Sando when ordered normal Burger. For meal and skimped the drink. Wtf!!. Had bad luc
Après :     ['sando', 'order', 'burger', 'skimp', 'drink', 'wtf', 'luck', 'food', 'place']

Avant :     It's was 6:40PM and they had the doors locked to the dining room. We awkwardly made eye contact with
Après :     ['door_lock', 'dining_room', 'make', 'eye_contact', 'employee', 'work', 'kid', 'come', 'open', 'door']

Avant :     Oh my goodness. Some of the worst service I have ever had! Rather than selling me the bacon variety 
Après :     ['service', 'sell', 'bacon', 'variety', 'sandwich', 'order', 'charge', 'sandwich', 'add', 'bacon']

Avant :     I ate here for the first time today.  The woman that works behind the counter is really friendly and
Après :     ['eat', 'time', 'today', 'woman', 'work', 'counter', 'offer', 'credit', 'order', 'amount']

Avant :     Very disappointed. I ordered a quart and they gave me a pint which was disappointing. The food was a
Après :     ['order', 'quart', 'give', 'pint', 'food', 'beef', 'beef', 'order']

Avant :     Ugh.  Very very disappointing.  I decided to have my parents come over for dinner tonight, it was go
Après :     ['ugh', 'decide', 'parent', 'come', 'dinner', 'tonight', 'dinner', 'dad', 'month', 'want']

Avant :     I had high expectations from reviews, but was disappointed. They didn't have anything too interestin
Après :     ['expectation', 'review', 'disappoint', 'food', 'serve', 'need', 'lot', 'salt', 'pancake', 'server']

Avant :     We want to love this place, because when the food and service is good, it's great! However, after ma
Après :     ['want', 'love', 'place', 'food', 'service', 'time', 'visit', 'day', 'service', 'pancake']

Avant :     Food frozen with taste of freezer burn. Over priced for what you get. Nothing interesting everything
Après :     ['food', 'taste', 'freezer_burn', 'price', 'food', 'purchase', 'anyplace', 'money', 'love']

Avant :     Why is this called a rotisserie? The only rotisserie they seem to have is the sign outside.
Super bl
Après :     ['call', 'seem', 'sign', 'food', 'salad', 'say', 'service', 'feel', 'server', 'friendliest']

Avant :     I felt it was very expensive for what we received and the food and drinks were mediocre.  There is a
Après :     ['feel', 'receive', 'food', 'drink', 'choice', 'appetizer', 'order', 'wing', 'tater', 'receive']

Avant :     I ordered a spaghetti with meatballs platter and it was so bland that it reminded me of hospital foo
Après :     ['order', 'remind', 'hospital', 'food', 'sauce', 'meatball', 'style', 'price', 'disappointing']

Avant :     I have currently been sitting in the same chair for 36 minutes waiting for a take out order that con
Après :     ['sit', 'chair', 'minute', 'wait', 'take', 'order', 'consist', 'combination', 'plate', 'braise']

Avant :     Hrm. I HATE to bad mouth a place which is obviously a small business and in a super competitive mark
Après :     ['hrm', 'hate', 'mouth', 'place', 'business', 'market', 'order', 'listen', 'basic', 'pork']

Avant :     Yuck...that pretty much sums it up. Ordered delivery online which is very simple however, they obvio
Après :     ['sum', 'order', 'delivery', 'look', 'instruction', 'give', 'ask', 'spicy', 'take', 'minute']

Avant :     Terrible experience here bad customer service and food was only half decent! They sent out coupons b
Après :     ['experience', 'customer_service', 'food', 'send', 'coupon', 'allow', 'use']

Avant :     This is an update from last review. 
Place is once again on track thanks to the health department.
Après :     ['update_review', 'place', 'track', 'department']

Avant :     Let me start off by saying that I hate this restaurant. I used to love it, back when they had good a
Après :     ['let_start', 'say', 'hate', 'restaurant', 'use_love', 'service', 'increase', 'menu', 'add', 'food']

Avant :     This is the worst chinese food I've ever had.....and my wife and I have ate alot of Chinese all acro
Après :     ['food', 'wife', 'eat', 'alot', 'country', 'order', 'pork', 'fry_rice', 'open', 'takeout']

Avant :     The worst Chick-fail-a establishment there is and it's not even close. The employees are always rude
Après :     ['fail', 'establishment', 'employee', 'rude', 'order']

Avant :     I'm sorry to say that this restaurant is horrible!.....the service is lousy and rude and the food is
Après :     ['say', 'restaurant', 'service', 'food', 'opinion', 'give', 'think', 'drag', 'place', 'time']

Avant :     Worst experience I have ever had at chipotle. The workers working at 11:30 at th front have terrible
Après :     ['experience', 'chipotle', 'worker', 'work', 'customer_service', 'tell', 'tell', 'girl', 'choice', 'meat']

Avant :     Just had maybe the worst chipotle in the country. There was no flavor to the food at all like I am u
Après :     ['chipotle', 'country', 'flavor', 'food', 'use', 'chipotle', 'way', 'girlfriend', 'find', 'chicken']

Avant :     Purchased a chicken burrito at about 8:30pm 8/25/16.  They were out of chicken, so had to wait for a
Après :     ['purchase', 'chicken', 'wait_minute', 'deal', 'chicken', 'undercooke', 'middle', 'call', 'location', 'let_know']

Avant :     First of all, why is this place so packed?! I was with two other people, and we all ordered normal b
Après :     ['place', 'pack', 'people', 'order', 'chicken', 'sit', 'start', 'eat', 'expect', 'find']

Avant :     Meat was so skimpy.  I have been to Chipotle many times in various places but last night I had a cou
Après :     ['meat', 'chipotle', 'time', 'place', 'night', 'coupon', 'buy', 'item', 'barbacoa', 'cover']

Avant :     After waiting in line for over 20 minutes, they told us they ran out of burrito tortillas. Not somet
Après :     ['wait_line', 'minute', 'tell', 'run', 'want', 'run', 'serve']

Avant :     Today there was a hair in my burrito and unfortunately didn't pay for a hair to be in my burrito. It
Après :     ['today', 'hair', 'pay', 'hair', 'burrito', 'worker', 'hair', 'wear_hair', 'net', 'hair']

Avant :     Horrible. I had them deliver to my office and I said Chicken, they delivered Lamb. The fries were ol
Après :     ['deliver', 'office', 'say', 'chicken', 'deliver', 'lamb', 'fry', 'ask', 'fry', 'bring']

Avant :     It's 8pm I'm the only customer and it took 20 mins just to make my pizza and me receive it! The plac
Après :     ['customer', 'take_min', 'make', 'pizza', 'receive', 'place', 'employee', 'luck', 'keep', 'store']

Avant :     Never been here before today and never ever going back. All I came in for was some to-go queso. $9 a
Après :     ['today', 'come', 'queso', 'min', 'cheese', 'styrofoam', 'pop', 'corn', 'bag', 'fill']

Avant :     I was driving by this divey Mexican restaurant and thought I'd grab some food.  The server was nice 
Après :     ['drive', 'restaurant', 'thought', 'grab', 'food', 'server', 'expect', 'food', 'relleno', 'flavor']

Avant :     I enjoyed the meal.  However, for being in a out of the way strip mall it was very pricey.  I felt l
Après :     ['enjoy', 'meal', 'way', 'feel', 'dress', 'casual', 'appear', 'appeal', 'class', 'read_review']

Avant :     My husband got pretty bad food poisoning here. I was playing phone tag with the manager for weeks to
Après :     ['husband', 'food_poisoning', 'play', 'phone', 'tag', 'manager', 'week', 'discuss', 'experience', 'give']

Avant :     If I could give this place a negative 10 I would. Im not writing a review just to write a review so 
Après :     ['give', 'place', 'write_review', 'write_review', 'make', 'food', 'wife', 'hear', 'review', 'decide']

Avant :     I been here twice.  Both times, apparently my timing was off.  The first time the chief was opening 
Après :     ['time', 'time', 'time', 'opening', 'restaurant', 'day', 'food', 'price', 'hear', 'sound']

Avant :     Well I used to recommend this place but after going the last couple of times I have been dissapointe
Après :     ['use', 'place', 'couple', 'time', 'dissapointe', 'order', 'shrimp', 'taste', 'eat', 'tomato_sauce']

Avant :     The food was very good but our  pre fix three course dinner took 3 hours...way too long for me!   Th
Après :     ['food', 'pre', 'fix', 'course', 'dinner', 'take', 'hour', 'way', 'server', 'kind']

Avant :     I'm shocked that anyone has ever given this dump a positive review. 

First, the seating is limited.
Après :     ['shock', 'give', 'dump', 'review', 'seat', 'booth', 'half', 'need', 'hear', 'conversation']

Avant :     Loved it until I tried to get a free waffle for downloading the app on a promo off the table. App di
Après :     ['love', 'try', 'waffle', 'download', 'app', 'promo', 'table', 'offer', 'promo', 'code']

Avant :     This place is the worst! Cold fries I'm pretty sure we're cooked yesterday. Smushed flat as a pancak
Après :     ['place', 'fry', 'cook', 'yesterday', 'smushe', 'pancake', 'grill_cheese', 'give', 'pickle', 'take']

Avant :     They messed up our order. We waited over 10 minutes for our shakes. We were in the drive thru. We wa
Après :     ['order', 'wait_minute', 'shake', 'drive', 'wait_minute', 'food', 'sandwich', 'tell', 'sandwich', 'load']

Avant :     Most locations are open 24 hours, but this one had a sign on the door saying it closed at 10 PM.   I
Après :     ['location', 'open', 'hour', 'sign', 'door', 'say', 'pm', 'pm', 'door_lock', 'guess']

Avant :     Terrible food at this location. Don't go this Steak n Shake!  We love Steak n Shake but cant believe
Après :     ['food', 'location', 'steak_shake', 'love', 'steak_shake', 'believe']

Avant :     Horrible even by steak and shake standards.  Thirty minutes in drive through and still waiting. 
Avo
Après :     ['steak_shake', 'standard', 'minute', 'drive', 'wait', 'avoid_cost']

Avant :     REALLY below average food.  Akin to waffle house.  I wanted this to be good based on the reviews but
Après :     ['food', 'want', 'base_review', 'pancake', 'taste', 'process', 'version', 'maple', 'syrup', 'flavoring']

Avant :     After waiting 40 min to get in....
-Hot breakfast served cold.
-Food not prepared as requested (requ
Après :     ['wait', 'breakfast', 'serve', 'food', 'prepare', 'request', 'sausage', 'link', 'burn', 'send']

Avant :     I just don't get it. Waiting an hour in line for mediocre pancakes, eggs that are under seasoned, an
Après :     ['waiting_hour', 'line', 'mediocre', 'pancake', 'egg', 'season', 'bleh', 'coffee', 'institution', 'city']

Avant :     We knew we had to wait in line, but the wait inside for food and drinks was ridiculous.  The waiter 
Après :     ['know', 'wait_line', 'wait', 'food', 'drink', 'waiter', 'take', 'time', 'come', 'check']

Avant :     One star for really nice service + no wait (came at an off hour), but this place was the worst meal 
Après :     ['star', 'service', 'wait', 'come', 'hour', 'place', 'meal', 'grit', 'cheese_melt', 'pancake']

Avant :     This place has been featured on the Food Network which for me is a red flag.  Oftentimes, these plac
Après :     ['place', 'feature', 'food', 'network', 'flag', 'oftentime', 'place', 'way', 'hype', 'case']

Avant :     This place is sub par at best. I've had better pancakes at my local diner. I ordered the blueberry p
Après :     ['place', 'sub_par', 'pancake', 'diner', 'order', 'blueberry', 'pancake', 'think', 'fluffy', 'pancake']

Avant :     Way too hyped up.server was too worried about getting closing work done and left her tables waiting 
Après :     ['way', 'hype', 'server', 'worry', 'closing', 'work', 'leave', 'table', 'wait', 'kitchen']

Avant :     Worst service ever. We were really excited to try this place out as everyone raves so much about it.
Après :     ['service', 'try', 'place', 'rave', 'sister', 'live', 'visit', 'decide', 'try', 'wait_line']

Avant :     They are JUST pancakes...nothing more nothing less...For a truly great breakfast hit up the Copper K
Après :     ['pancake', 'breakfast', 'hit', 'copper', 'kettle', 'brunch']

Avant :     I don't understand why this place has a line out the door wrapped around the block every day.  The f
Après :     ['understand', 'place', 'line', 'door', 'wrap', 'block', 'day', 'food', 'wait', 'make']

Avant :     What is the big deal with this place, anyway? People line up around the block, and for what? Hype, a
Après :     ['deal', 'place', 'people', 'line', 'block', 'hype', 'tell', 'thing', 'breakfast', 'step']

Avant :     The food tastes like it was seasoned with water and the turkey may as well have been jerky. The food
Après :     ['food', 'taste', 'water', 'turkey', 'jerky', 'food', 'know', 'spot', 'figure', 'mind']

Avant :     yr so nashville if ... you wait in line for an hour to eat pancakes
Après :     ['wait_line', 'hour', 'eat', 'pancake']

Avant :     I noticed all the Afro-American bus boys..and I said "Hmm". So I inquired at the cash register if th
Après :     ['bus_boy', 'say', 'inquire', 'cash_register', 'staff', 'say', 'food', 'service', 'quick', 'take']

Avant :     It really isn't anything to write home about but the hash browns were good. 

I think Nashville has 
Après :     ['write_home', 'hash_brown', 'think', 'option', 'biscuit', 'street', 'folk']

Avant :     Not quite what I expected, especially seeing the long lines to get in every weekend. I ordered Swedi
Après :     ['expect', 'see', 'line', 'weekend', 'order', 'potato', 'pancake', 'box', 'mix', 'food']

Avant :     Definitely a Nashville institution, and everyone who comes to town wants to go there. Me? I just don
Après :     ['institution', 'come', 'town', 'want', 'pancake', 'choose', 'try', 'variety', 'finish', 'plate']

Avant :     Terrible food. Took 25 minutes to get our food. We ordered blueberry pancakes with a side of 2 eggs.
Après :     ['food', 'take', 'minute', 'food', 'order', 'pancake', 'side', 'egg', 'pancake', 'overdone']

Avant :     For the amount of time we had to wait youd think service would be a little better. Im not complainin
Après :     ['amount', 'time', 'wait', 'think', 'service', 'complain', 'wait', 'know', 'waitress', 'say']

Avant :     Whats the excitement. This place is not at all special. 
Coffee is awful. pancakes are equal to waff
Après :     ['excitement', 'place', 'coffee', 'pancake', 'equal', 'waffle', 'service', 'crap', 'understand', 'line']

Avant :     1:20 minutes from arrival to food is simply not acceptable.  If waiting 80 minutes for food isn't yo
Après :     ['minute', 'arrival', 'food', 'waiting', 'minute', 'food', 'thing', 'make', 'plan']

Avant :     Super long line and only drip coffee and no gluten free pancakes. Big disappointment considering tha
Après :     ['line', 'drip_coffee', 'gluten', 'pancake', 'disappointment', 'consider', 'come', 'gluten', 'search', 'yelp']

Avant :     Not worth the wait, the drink i ordered was watered down probably from the chopped ice that was in t
Après :     ['wait', 'drink', 'order', 'water', 'chop', 'ice', 'drink', 'seat', 'serve', 'water']

Avant :     I have to say that good food was not even a redeeming factor for the experience my husband and I had
Après :     ['say', 'food', 'redeem', 'factor', 'experience', 'husband', 'stop', 'breakfast', 'potato', 'pancake']

Avant :     Nothing extraordinary. I ordered pancakes with blueberries and pecans, along with poached eggs and b
Après :     ['order', 'pancake', 'blueberry', 'pecan', 'egg_bacon', 'pancake', 'light', 'blueberrie', 'nut', 'cup']

Avant :     Terrible service, waited 2 hours after we sat down just for the food. Our waitress forgot about us a
Après :     ['service', 'wait', 'hour', 'sit', 'food', 'waitress', 'forget', 'wave', 'hand', 'air']

Avant :     I had fairly high expectation before I came but the serving here really upset me. We ordered at 1:06
Après :     ['expectation', 'come', 'serve', 'order', 'dish', 'come', 'waitress', 'bring', 'check', 'minute']

Avant :     It's just too long a wait in winter, outside.  I think I'd be happier coming at an offtime weekday i
Après :     ['wait', 'winter', 'think', 'come', 'offtime', 'weather', 'parking', 'problematic']

Avant :     Visited the Pancake Pantry this past Saturday 1/31/15. Heard this place was the #1 spot for breakfas
Après :     ['visit', 'pancake_pantry', 'hear', 'place', 'spot', 'breakfast', 'line', 'wait', 'waiting_hour', 'line']

Avant :     I love pancakes and I had heard that the Pancake Pantry was the IT place for pancakes in Nashville. 
Après :     ['love', 'pancake', 'hear', 'pancake_pantry', 'place', 'pancake', 'thing', 'head', 'fido', 'regret']

Avant :     A seriously over rated pancake place. We waited over an hour in line to try this local place out. Ha
Après :     ['rate', 'pancake', 'place', 'wait', 'hour', 'line', 'try', 'place', 'pancake', 'taste']

Avant :     I wanted to like this place but it wasn't anything special and kind of greasy. Glad I got there at a
Après :     ['want', 'place', 'kind', 'greasy', 'time', 'walk', 'table', 'wait', 'upset', 'wait_line']

Avant :     I probably should have gotten the pancakes while at the Pancake Pantry but since it was later in the
Après :     ['pancake', 'pancake_pantry', 'day', 'mood', 'lunch', 'bacon', 'wrap', 'sub_par', 'soup', 'day']

Avant :     I went here once, waited in the obligatory long line, and found...a regular, run of the mill diner. 
Après :     ['wait_line', 'find', 'run_mill', 'diner', 'frill', 'pancake', 'waitress', 'place', 'pack', 'expect']

Avant :     ABSOLUTELY VASTLY OVERRATED!!  First, you need to know this place received a score of 83 in its most
Après :     ['need', 'know', 'place', 'receive', 'score', 'health', 'department', 'rating', 'concern', 'overprice']

Avant :     I know Pancake Pantry is a staple of the Nashvillain touristy breakfast stops- but I gotta say... it
Après :     ['know', 'pancake_pantry', 'staple', 'nashvillain', 'touristy', 'breakfast', 'stop', 'say', 'line', 'block']

Avant :     Overrated, never wait in line for this. Pretty disappointing. I swear they're slinging Bisquick panc
Après :     ['wait_line', 'sling', 'bisquick', 'pancake', 'tourist_trap']

Avant :     Pancakes pure and simple. Is it really worth the wait? On a Monday morning was surprised to see the 
Après :     ['pancake', 'wait', 'morning', 'see', 'line', 'pancake', 'pancake']

Avant :     I've decided to update my review of this place. It has to be the place to go according to legend and
Après :     ['decide', 'update_review', 'place', 'place', 'accord', 'legend', 'place', 'stand_line', 'day', 'wait']

Avant :     You guys! It's just pancakes. They are good, but they're not wait in a line for an hour good! I just
Après :     ['guy', 'pancake', 'wait_line', 'hour', 'understand_hype', 'place']

Avant :     After all the hype about this place, I have to say that it is average - at best! You can get far bet
Après :     ['place', 'say', 'pancake', 'ihop', 'presentation', 'waffle', 'server', 'planet', 'kimmy', 'choose']

Avant :     If Pancake Pantry had the efficiency of McDonald's, I might recommend it. As it stands though, waiti
Après :     ['pancake_pantry', 'efficiency', 'mcdonald', 'recommend', 'stand', 'waiting_hour', 'breakfast', 'place', 'parking', 'suck']

Avant :     The food is pretty good, but it isn't special enough to warrant waiting in line for more than just a
Après :     ['food', 'warrant', 'wait_line', 'minute', 'issue', 'tip', 'bill', 'turn', 'tip', 'credit_card']

Avant :     Nope nope and nope again
Rude hostess 
Always some nonesense with seating and sushi is mediocre at b
Après :     ['nonesense', 'seat', 'dirt', 'dirt', 'food', 'dirt', 'service', 'kicker', 'ginger', 'smell']

Avant :     Been here 5 times and its hit and miss. The first time was pretty good, second time was ok but the l
Après :     ['time', 'hit_miss', 'time', 'time', 'time', 'occasion', 'give', 'leeway', 'visit', 'visit']

Avant :     Food is great. Got food poisoning. Sooooo not going
Back there ever. Check out koizi in Tampa
Après :     ['food', 'food_poison', 'sooooo', 'check']

Avant :     Worst sushi experience EVER. Disgusting. 
Spicy tuna was processed not fresh. Sashimi tasted frozen.
Après :     ['experience', 'tuna', 'process', 'sashimi', 'taste', 'roll', 'suppose', 'come', 'pre_make', 'buffet']

Avant :     The idea of this place is great. All you can eat for a great price. Only the quality of the food isn
Après :     ['idea', 'place', 'eat', 'price', 'quality', 'food', 'bland', 'steak', 'waiter', 'stack']

Avant :     Food is decent. Service is awful. It takes about 15 min to get an order in and another 15+ min to ge
Après :     ['food', 'service_awful', 'take_min', 'order', 'min', 'food', 'come', 'order', 'time', 'hour']

Avant :     Went to the one in Palm Harbor that just opened up. TERRIBLEEEEE!!!! The service wasn't very good, a
Après :     ['palm', 'harbor', 'open', 'service', 'try', 'flavorless', 'bland', 'seaweed', 'roll', 'eat']

Avant :     Worst sushi. Worst service. Oh and they wouldn't take into consideration one of my family members di
Après :     ['service', 'take', 'consideration', 'family', 'member', 'disorder', 'let', 'take', 'home', 'food']

Avant :     I'll remove the 1 stat rating AFTER they fix the over price on my credit card.  
I was charged $2.13
Après :     ['remove', 'rating', 'fix', 'price', 'credit_card', 'charge', 'sign', 'know', 'amount', 'amount']

Avant :     A asian family first time here. Service was very poor.  When they realize we know sushi and etc, the
Après :     ['time', 'service', 'realize', 'know', 'start', 'give', 'attitude', 'lot', 'item', 'slice']

Avant :     I'm not one to usually write this kind of review, but AVOID THIS PLACE AT ALL COSTS. Maybe it was th
Après :     ['write', 'kind', 'review', 'avoid', 'place', 'cost', 'fact', 'group', 'lunch', 'service_slow']

Avant :     Dont try complaining about service they dont care. And if you really want real sushi this is not the
Après :     ['try', 'complain', 'service', 'care', 'want', 'place']

Avant :     Ew. Pre-made spicy tuna that looks like a paste. It gets expensive despite it's all you can eat titl
Après :     ['pre_make', 'tuna', 'look', 'paste', 'eat', 'title', 'hate', 'place']

Avant :     Guys, I hate to leave a bad review, but myself and two other friends got horribly sick within 24 hou
Après :     ['guy', 'hate', 'leave', 'review', 'friend', 'hour', 'dinner', 'vote', 'diarrhea', 'week']

Avant :     The food is ok but  service is too bad. I think I will give them ZERO STAR if I can. I dont know the
Après :     ['food', 'service', 'think', 'give_star', 'know', 'woman', 'desk', 'boss', 'manager', 'rude']

Avant :     yikes this is what AYCE sushi is in Florida. I expected better being the water is so close. I love A
Après :     ['yike', 'expect', 'water', 'love', 'ayce', 'sushi', 'time', 'let', 'say', 'vegas']

Avant :     $20.00 a person and they CHARGE you for the food you DON'T EAT! They have table service and you orde
Après :     ['person', 'charge', 'food', 'eat', 'table', 'service', 'order', 'menu', 'eat', 'place']

Avant :     This is the place to go if you enjoy your server looking at her phone at the drink station, while I 
Après :     ['place', 'enjoy', 'server', 'look', 'phone', 'drink', 'station', 'look', 'glass', 'water']

Avant :     Disgusting. Sushi was almost inedible.. but you have to eat it or else they charge you extra for the
Après :     ['eat', 'charge', 'piece', 'eat', 'service', 'rush', 'freeze', 'restaurant', 'wifi', 'password']

Avant :     Probably the worst sushi place I've ever eaten at. There's too much rice coating the roll which take
Après :     ['place', 'eat', 'rice', 'coating', 'roll', 'take', 'flavor', 'make_effort', 'strip', 'rice']

Avant :     Completely Americanized,  food had no flavor.  Was barely a 2 star at best. Last time we come here!
Après :     ['americanize', 'food', 'flavor', 'star', 'time', 'come']

Avant :     The service was great and the restaurant was clean, but the food was just okay. We had the linguine 
Après :     ['service', 'restaurant', 'food', 'linguine', 'primavera', 'order', 'sauce', 'flavor', 'vegetable', 'freeze']

Avant :     We went here for lunch not long ago and were not at all impressed with the food. The environment and
Après :     ['lunch', 'impress', 'food', 'environment', 'service', 'location', 'food', 'portion', 'price', 'quality']

Avant :     Disaster! Avoid! Restaurant is extremely dated & service poor. Food is mediocre a best. Chicken parm
Après :     ['disaster', 'avoid', 'restaurant', 'date', 'service', 'food', 'chicken_parm', 'brown', 'edge', 'sauce']

Avant :     So upset. We decided to try Caruso's because they have a sign that says pizza pie. We asked the wait
Après :     ['decide', 'try', 'caruso', 'sign', 'say', 'pizza', 'pie', 'ask', 'waitress', 'pizza']

Avant :     I have to agree with Adam. Caruso's is terrible. Ketchup and 40 minute pasta would taste better. Bei
Après :     ['agree', 'ketchup', 'minute', 'pasta', 'taste', 'usher', 'year', 'move', 'complain', 'say']

Avant :     Was told this was an "Italian" eatery. The metal plate had more taste the the Egg Plant Parm. It was
Après :     ['tell', 'eatery', 'metal', 'plate', 'taste', 'egg', 'plant', 'parm', 'sauce', 'heat']

Avant :     Oh no...What happened.  The pizza has turned terrible...tasteless,cardboard crust...blah toppings...
Après :     ['happen', 'pizza', 'turn', 'tasteless', 'cardboard', 'crust', 'blah', 'topping', 'use_love', 'place']

Avant :     Probably the the worst place ever still didn't get all that was ordered!! The picture of margarita i
Après :     ['place', 'order', 'picture', 'mix', 'waitress', 'table', 'wait', 'recomend', 'come', 'return']

Avant :     This place is by my job so I stopped in one evening for lunch
Food was mediocre at best and it's exp
Après :     ['place', 'job', 'stop', 'evening', 'lunch', 'food', 'mediocre', 'bandanas', 'food', 'chicken']

Avant :     Waitress was the only nice thing at this visit. It took forever to get our food (7:30 pm Friday nigh
Après :     ['waitress', 'thing', 'visit', 'take', 'food', 'night', 'people', 'husband', 'bun', 'burger']

Avant :     I was in the area and in a hurry so I stopped in only to see it wasn't Pennie's BBQ anymore. It will
Après :     ['area', 'hurry', 'stop', 'see', 'time', 'stop', 'pork', 'steak', 'use', 'cost']

Avant :     We've gone here 3 times snow and it's an okay place for a night out.  The food is generally chain qu
Après :     ['time', 'snow', 'place', 'night', 'food', 'chain', 'quality', 'feel', 'beer', 'service']

Avant :     This chain is normally one of our favorites. Last night for our anniversary dinner- not so much.
Ser
Après :     ['chain', 'favorite', 'night', 'anniversary', 'dinner', 'service', 'benjamin', 'lack', 'cheese_steak', 'egg_roll']

Avant :     Way overpriced fifteen bucks for a little burger used to give you coleslaw but no more the quantity 
Après :     ['way_overprice', 'buck', 'burger', 'use', 'give', 'coleslaw', 'quantity', 'food', 'year', 'fry']

Avant :     Waited 45 minutes before they even offered to take our order. This was after we'd told our waiter we
Après :     ['wait_minute', 'offer', 'take', 'order', 'tell', 'waiter', 'order', 'say', 'disappear', 'minute']

Avant :     The food is okay...not fantastic,  just ho-hum okay. The service varies from wonderful to frustratin
Après :     ['food', 'hum', 'service', 'vary', 'table', 'seat', 'floor', 'eat', 'place', 'table_occupy']

Avant :     Went to dinner last night and noticed the chicken was undercooked, red and raw after eating a few bi
Après :     ['dinner', 'night', 'notice', 'chicken', 'undercooke', 'eating', 'bite', 'manager', 'give', 'party']

Avant :     Over priced food that wasn't very good.  Had the seafood pot pie and it was disgusting.  Won't be go
Après :     ['price', 'food', 'seafood', 'pot_pie', 'disgusting']

Avant :     Was here 2nd time. Food below average just boring nothing worth the money egg noodles, simple green 
Après :     ['time', 'food', 'bore', 'money', 'egg', 'noodle', 'bean', 'pork', 'mushroom', 'gravey']

Avant :     Customer service is terrible... bar tenders are not always attentive...  at times, they seem to want
Après :     ['customer_service', 'bar_tender', 'time', 'seem', 'want', 'beg', 'beer', 'bar', 'ignore', 'food']

Avant :     food is ok, felt rushed, too many tables and not enough space.  its very crowded and frequently had 
Après :     ['food', 'feel_rush', 'table', 'space', 'crowd', 'server', 'customer', 'bump', 'chair']

Avant :     As usual, this restaurant doesn't seem to heed the bad reviews and fix the problems. Dinner here las
Après :     ['restaurant', 'seem', 'heed', 'review', 'fix_problem', 'dinner', 'night', 'rib', 'ton', 'gristle']

Avant :     One of the worst experiences I have had at this place , poor cut , undercooked, mushrooms were terri
Après :     ['experience', 'place', 'cut', 'mushroom', 'tasting', 'send', 'steak', 'thought', 'grizzly', 'piece']

Avant :     Let me just warn you, there is something very wrong with this restaurant. We started out finding dri
Après :     ['let', 'warn', 'restaurant', 'start', 'find', 'dry', 'blood', 'napkin', 'waitress', 'tell']

Avant :     This places sucks. Long lines, disinterested employees and the guy who sits at the desk taking peopl
Après :     ['place', 'suck', 'line', 'disintereste', 'employee', 'guy', 'sit', 'desk', 'take', 'people']

Avant :     Went there tonight on my way home. Took the wings home, got through eight of them and picked one up 
Après :     ['tonight', 'way', 'home', 'take', 'wing', 'pick', 'look', 'beak', 'chicken']

Avant :     Unfriendliest staff ever!! Walked in and wasn't even greeted. Sat for 10 min and nothing with only 3
Après :     ['staff', 'walk', 'greet', 'sit', 'table', 'take']

Avant :     Service: horrible, not only was it slow but the waitress was rude and didn't even check on us/the fo
Après :     ['service', 'waitress', 'rude', 'check', 'food', 'say', 'goodbye', 'refill_water', 'make', 'snarky']

Avant :     This place was really quaint however the food was far from first class. The toast was cold, the milk
Après :     ['place', 'quaint', 'food', 'class', 'toast', 'milk', 'pancake', 'look', 'cook', 'waitress']

Avant :     From reading the reviews I thought this was going to be a great mom and pop restaurant. They increas
Après :     ['read_review', 'think', 'mom_pop', 'restaurant', 'increase', 'price', 'pay', 'chocolate_chip', 'pancake', 'size']

Avant :     The service was So bad! They took FOREVER to even get our order and then the food was so over cooked
Après :     ['service', 'bad', 'take', 'order', 'food', 'cook', 'bring', 'water_refill', 'water', 'come']

Avant :     This place is pretty lame. Band was average. Cover was too high ($10) and the owner or whoever was r
Après :     ['place', 'band', 'cover', 'owner', 'run', 'show', 'accompany', 'owner', 'manager', 'asshole']

Avant :     No, just no no no on BBQ anything at this place. Save your time and money. Gross. I imagine this is 
Après :     ['bbq', 'place', 'save', 'time', 'money', 'imagine', 'mcrib', 'taste']

Avant :     Some real jack-hole, presumable the owner/manager insulted us because we didn't know the band playin
Après :     ['hole', 'owner', 'manager', 'insult', 'know', 'band', 'playing', 'listen', 'tube', 'end']

Avant :     I have never been to a bar that didn't allow talking or met an owner as condescending but now I have
Après :     ['bar', 'allow', 'talking', 'meet', 'owner', 'condescend', 'spend_money', 'time', 'place']

Avant :     Unfortunately, its all true, the owner manager is a moron. I was there the other night for the first
Après :     ['owner', 'manager', 'time', 'illness', 'thing', 'guy', 'mix', 'fece', 'bar', 'music']

Avant :     Week-end food is very different from week-day food.  The food we had over the week-end was just OK  
Après :     ['week', 'end', 'food', 'week', 'day', 'food', 'food', 'week', 'end', 'pizza']

Avant :     2nd time back to joeys. The food is amazing but the wait time is terrible. We were told we could not
Après :     ['time', 'joey', 'food', 'wait', 'time', 'tell', 'eat', 'take', 'minute', 'seat']

Avant :     Ordered scallops with risotto for $20.95.  Boy was I disappointed when my platter had a total of THR
Après :     ['order', 'scallop', 'risotto', 'boy', 'disappoint', 'total', 'size', 'scallop', 'time', 'waiter']

Avant :     I was advised Joey's pizza had good New York style pizza. Went there on Friday with high expectation
Après :     ['advise', 'pizza', 'style', 'pizza', 'expectation', 'disappoint', 'hate', 'pizza', 'bite', 'end']

Avant :     Horrible service - sat at a table for 20 minutes with servers walking by and ignoring us. No menus n
Après :     ['service', 'sit', 'table', 'minute', 'server', 'walk', 'ignore', 'water', 'silverware', 'find']

Avant :     I ordered wings and fries. Omg ! My email said my food would be delivered at 6:05pm. I did not recei
Après :     ['order', 'wing', 'fry', 'email', 'say', 'food', 'deliver', 'pm', 'receive', 'food']

Avant :     This has to be the worst place for customer service around! I keep going back for that damn stuffed 
Après :     ['place', 'customer_service', 'keep', 'stuff', 'crust', 'give', 'time', 'order', 'take', 'time']

Avant :     Made reservation for Friday for Saturday night, advising "Joseph" we had a groupon. He said "no prob
Après :     ['make_reservation', 'night', 'advise', 'say', 'problem', 'take', 'name', 'arrive', 'tell', 'seat']

Avant :     Horrible. Sucks. Bad. That's how I describe the place. The employees are so rude and unkind and unpr
Après :     ['suck', 'describe', 'place', 'employee', 'rude', 'ice_cream', 'ok', 'fry', 'suck', 'eat']

Avant :     I really wanted The Station to be my go-to for not working at home, but the noise levels in there ca
Après :     ['want', 'station', 'work', 'home', 'noise_level', 'use', 'coffeeshop', 'city', 'work', 'think']

Avant :     I've ordered pizza here twice because I am in the neighborhood. Both times have been awful. Today, t
Après :     ['order', 'pizza', 'neighborhood', 'time', 'today', 'dough', 'pizza', 'want', 'place', 'sucee']

Avant :     I'm still waiting on my food as I write this review 45 minutes after ordering breakfast. The Kramer 
Après :     ['wait', 'food', 'write_review', 'minute', 'order', 'breakfast', 'kramer', 'look', 'singer', 'help']

Avant :     Idk what restaurant these people were eating at but this place sucks. Saturday night, one other tabl
Après :     ['restaurant', 'people', 'eat', 'place', 'suck', 'night', 'table', 'hour', 'wait', 'pizza']

Avant :     Ok I checked lots of reviews on this place , as there was lots of high ratings, and decided to make 
Après :     ['check', 'lot', 'review', 'place', 'lot', 'rating', 'decide', 'make', 'way', 'minute']

Avant :     We drove way out of our way to get here and to be honest the drive wasn't worth it. No one explained
Après :     ['drive', 'way', 'drive', 'explain', 'menu', 'service', 'food', 'eat']

Avant :     I've been a regular customer here for the past 10 months. Today, I decided this to be my last visit 
Après :     ['customer', 'month', 'today', 'decide', 'visit', 'place', 'service', 'staff', 'cooking', 'staff']

Avant :     well over-priced. 15% gratuity for 5 people ( family with 3 kids ). paid $200. $30 gratuity. We stil
Après :     ['price', 'gratuity', 'people', 'family', 'kid', 'pay', 'gratuity', 'coz', 'tempura', 'size']

Avant :     Someone that was with us couldn't eat raw fish or seafood, so after trying to reach 2 servers to let
Après :     ['eat', 'fish', 'seafood', 'try', 'reach', 'server', 'let_know', 'one', 'contain', 'place']

Avant :     This restaurant smells like old, sour maple syrup. It's been ten hours and I can still smell it. 
Th
Après :     ['restaurant', 'smell', 'maple', 'syrup', 'hour', 'smell', 'food', 'clue', 'restaurant', 'business']

Avant :     Service was terrible, two people walked in after us but were seated before us. By the time we were s
Après :     ['service', 'people', 'walk', 'seat', 'time', 'watch', 'order', 'food', 'finish', 'egg']

Avant :     We are big fans of the Egg & I....We've been to two that were great in Birmingham, AL....This one ho
Après :     ['fan', 'egg', 'restaurant', 'experience', 'server', 'know', 'coffee', 'serve', 'coffee', 'waiter']

Avant :     Without a doubt the worst restaurant that I've been to in the Nashville/Franklin area.  The service 
Après :     ['restaurant', 'service', 'staff', 'confuse', 'aspect', 'job', 'manager', 'food', 'take', 'arrive']

Avant :     This restaurant has the worst service ever! They did not get our coffee out until 45 minutes after w
Après :     ['restaurant', 'service', 'coffee', 'minute', 'order']

Avant :     Wasn't referring to sandwiches ... Was referring to gyro play with  beef rice lettuce and pita bread
Après :     ['refer', 'sandwich', 'refer', 'gyro', 'play', 'beef', 'rice', 'bread']

Avant :     I called to order, it was my first time trying Blu fig and the guy didn't have time for my questions
Après :     ['call', 'order', 'time', 'try', 'blu', 'fig', 'guy', 'time', 'question', 'say']

Avant :     Used to be good when it first opened.  Quality has gone downhill.  Ordered the mango salad which cam
Après :     ['use', 'open', 'quality', 'order', 'salad', 'come', 'apple', 'explanation', 'provide', 'food']

Avant :     I'm a Barbecue judge and this ain't barbecue.  Not in Texas, not in the southeast.  Not in KC.  An e
Après :     ['judge', 'reviewer', 'nail', 'brisket', 'fatty', 'pot', 'roast', 'evidence', 'smoke', 'texture']

Avant :     If i could give less i would...this place was horrible. Order was wrong twice,always cold and extrem
Après :     ['give', 'place', 'order', 'hear', 'close']

Avant :     As average as any subpar bbq place. Nothing worth mention. Honestly. Everything drenched in sauce (w
Après :     ['bbq', 'place', 'mention', 'drench_sauce', 'mean', 'cover', 'fry', 'chicken', 'decent', 'screw']

Avant :     I'm giving these guys 2 stars. I have been waiting over an hour for food because "somebody bought al
Après :     ['give', 'guy', 'star', 'wait', 'hour', 'food', 'buy', 'fry', 'order', 'piece_chicken']

Avant :     The over-priced and inflexible menu put me off, right away. I wanted a 2 piece fried chicken meal. I
Après :     ['price', 'menu', 'put', 'want', 'piece', 'fry', 'chicken', 'meal', 'come', 'version']

Avant :     Funny how the location is closed citing it "out grew" it's location. I live in the area and pass by 
Après :     ['location', 'close', 'cite', 'grow', 'location', 'area', 'pass', 'food', 'place', 'lunch']

Avant :     Hands down the worst BBQ place ever!  The crispy chicken sandwich was 3 chicken tenders on a soft ro
Après :     ['hand', 'bbq', 'sandwich', 'chicken_tender', 'roll', 'sauce', 'give', 'container', 'make', 'chicken']

Avant :     One of the worst BBQs ever.  I orders everything without sauce so that I could taste the meat. Horri
Après :     ['bbqs', 'order', 'sauce', 'taste', 'meat', 'order', 'brisket', 'sandwich', 'roll', 'pork']

Avant :     I've been here 3x. Each time hoping they might have gotten it right. I wanted to like this place bec
Après :     ['time', 'hope', 'gotten', 'want', 'place', 'bbq', 'place', 'make', 'rib', 'bake_bean']

Avant :     Expensive for what you get.  I had the 4 piece chicken platter, can get better for less right up the
Après :     ['piece_chicken', 'road', 'smoke', 'write_home', 'see', 'reason', 'leave', 'people', 'burn', 'desire']

Avant :     We enjoy Blimpie and dont mind the walk-in experience at this location, but the drive-thru is awful!
Après :     ['enjoy', 'blimpie', 'mind', 'walk', 'experience', 'location', 'drive', 'ask', 'order', 'time']

Avant :     Called in to pick up my order but when I arrived they acted as though they never spoke to me. I was 
Après :     ['call', 'pick', 'order', 'arrive', 'act', 'speak', 'tell', 'wait_minute', 'minute', 'waiting']

Avant :     Pros: 
- Convenient for when you're looking to feed an overworked sleep-deprived film crew at 6AM on
Après :     ['pro', 'look', 'feed', 'overwork', 'sleep', 'deprive', 'film', 'crew', 'budget', 'con']

Avant :     I have only experienced the delivery-side of this restaurant. The food arrived 1 hour and 45 minutes
Après :     ['delivery', 'side', 'restaurant', 'food', 'arrive', 'hour', 'minute', 'place', 'order', 'fry']

Avant :     I do enjoy the pizza and other food at Allegros, however their customer service is less then.  The p
Après :     ['enjoy', 'pizza', 'food', 'allegro', 'customer_service', 'people_work', 'tend', 'side', 'advertise', 'hour']

Avant :     To be completely honest, their food is, in fact, very good. 
However, one of the male employees felt
Après :     ['food', 'fact', 'employee', 'feel', 'harass', 'feel', 'continue', 'keep', 'talk', 'ask']

Avant :     Allegro is falling off. I haven't been to this place in a year, and last weekend I was reminded by w
Après :     ['allegro', 'fall', 'place', 'year', 'weekend', 'remind', 'pizza', 'blah', 'wash_hand', 'bathroom']

Avant :     While the pizza here is good and the delivery is speedy, this restaurant's customer service skills i
Après :     ['pizza', 'delivery', 'restaurant', 'customer_service', 'skill', 'lacking', 'say', 'today', 'order', 'pizza']

Avant :     If you're into soggy pizza where the cheese and toppings literally slide off the dough  then this pl
Après :     ['pizza', 'cheese', 'topping', 'slide', 'dough', 'place', 'moment', 'deliver', 'minute', 'place']

Avant :     NEVER AGAIN. Delivery driver never called tonight, just texted. NEVER ONCE CALLED. Then stood there 
Après :     ['delivery_driver', 'call', 'tonight', 'texte', 'call', 'stand', 'minute', 'call', 'decide', 'pound']

Avant :     Apparently they feel free to charge people's bank accounts and then not deliver the food they charge
Après :     ['feel', 'charge', 'people', 'bank', 'account', 'deliver', 'food', 'charge', 'know', 'kind']

Avant :     I ordered MILD WINGS for the superbowl with a side of blue cheese and ranch. I receive BUFFALO WINGS
Après :     ['order', 'wing', 'superbowl', 'side', 'cheese', 'ranch', 'receive', 'buffalo_wing', 'break', 'hive']

Avant :     Pizza quality has gone down hill seriously, the toppings only covered the middle area and the cheese
Après :     ['pizza', 'quality', 'hill', 'topping', 'cover', 'area', 'cheese', 'put', 'pizza_crust', 'use']

Avant :     Do not order over the phone. I tried to order a grilled chicken wrap on a spinach tortilla. The pers
Après :     ['order', 'phone', 'try', 'order', 'grill', 'wrap', 'spinach', 'tortilla', 'person', 'take']

Avant :     I ordered pizza, a panini and a side a mac n cheese from Allegro Pizza. The pizza was clearly not ma
Après :     ['order', 'pizza', 'panini', 'side', 'cheese', 'allegro', 'pizza', 'pizza', 'make', 'establishment']

Avant :     It's mediocre
soggy simple cheap pizza
but it's edible.
Après :     ['pizza']

Avant :     Food is solid and not too expensive. However, this is the second time that Ive called and asked- fir
Après :     ['food', 'time', 'call', 'ask', 'thing', 'say', 'phone', 'place', 'order', 'delivery']

Avant :     The service was awful, I had to wait well over an hour, and it was extremely expensive for cold pizz
Après :     ['service', 'wait', 'hour', 'pizza', 'stick']

Avant :     The staff is not friendly and the fish spread is ok, but it is certainly not the best in town like t
Après :     ['staff', 'fish', 'spread', 'town', 'advertise', 'experience']

Avant :     I had to try this because a friend told me it was the best fish spread. I found the fish spread to b
Après :     ['try', 'friend', 'tell', 'fish', 'spread', 'find', 'fish', 'spread', 'taste', 'look']

Avant :     Maybe this smoked fish thing is an acquired taste.  it wasn't mine.  I couldn't wait to get home and
Après :     ['smoke', 'fish', 'thing', 'acquire', 'taste', 'mine', 'wait', 'home', 'brush', 'tooth']

Avant :     It look like it this place has been there for awhile and have its own regular customers. the service
Après :     ['look', 'place', 'customer_service', 'order', 'fish', 'spread', 'tuna', 'sandwich', 'find', 'sandwich']

Avant :     Waited a whole hour and didn't get served.  We live in Chicago and were in Florida on vacation.  Our
Après :     ['wait', 'hour', 'serve', 'friend', 'tell', 'check', 'place', 'wait_line', 'minute', 'problem']

Avant :     The service started out great and the food was good, then a shift change happened.  The bar was not 
Après :     ['service', 'start', 'food', 'shift_change', 'happen', 'bar', 'service', 'food', 'order', 'come']

Avant :     Slow unfriendly service and burgers not cooked to order... We ordered a medium rare burger and it ca
Après :     ['slow', 'service', 'burger', 'cook', 'order', 'order', 'burger', 'come']

Avant :     Flashback!  My old happy hour spot. Great outdoor patio. Glad I got one last visit in. They are clos
Après :     ['flashback', 'hour', 'spot', 'patio', 'visit', 'close', 'restaurant', 'way']

Avant :     We were out with friends who were starving and we were on the north end of State Street. The outside
Après :     ['friend', 'starve', 'north', 'end', 'state', 'street', 'state', 'make', 'look', 'service']

Avant :     Awful - terrible food - my worst hamburger ever soft plastic bun frozen meat  - steaks with brown sa
Après :     ['food', 'hamburger', 'plastic', 'bun', 'meat', 'steak', 'sauce', 'appal', 'fry', 'horror']

Avant :     Food was OK, nothing special.  Overpriced.  Service is incredibly SLOW, whether they are busy or not
Après :     ['food', 'overprice', 'service', 'look', 'driving', 'end', 'minute', 'walk']

Avant :     Really truly slow service.  Not the waitress. The kitchen. 40 min to get a pasta and salad.  Recomme
Après :     ['slow', 'service', 'waitress', 'kitchen', 'min', 'pasta', 'salad', 'recommend', 'want', 'drag']

Avant :     This used to be one of our "go to" places for reasonably priced, good dinners but yesterday and our 
Après :     ['use', 'place', 'price', 'dinner', 'yesterday', 'visit', 'change', 'mind', 'guess', 'parking_lot']

Avant :     Takeout was basically thrown in my box, but  dining in was fine. It's outback, take it for what you 
Après :     ['takeout', 'throw', 'box', 'dining', 'outback', 'take']

Avant :     Been to this location many times. It just isn't the same. It's a chain, I get it. But waiting for dr
Après :     ['location', 'time', 'chain', 'waiting', 'drink', 'arrive', 'appetizer', 'waitress', 'disappear', 'bread']

Avant :     This place place really Sucks! They just don't know the difference between medium rare and well done
Après :     ['place', 'place', 'suck', 'know', 'difference', 'medium', 'come', 'year', 'bother', 'outback']

Avant :     This use to be a reliable place for sandwiches but the last two were not good at all.  Cheesesteak w
Après :     ['use', 'place', 'sandwich', 'cheesesteak', 'meat', 'roll', 'pick', 'area', 'roll', 'night']

Avant :     Can you at least put some meat on that cheesesteak! Not a good bang for your buck. But as someone sa
Après :     ['put', 'meat', 'cheesesteak', 'buck', 'say', 'mcdonald', 'give', 'burger', 'fry', 'price']

Avant :     Usually I recommend this place to everyone, but lately somethings lacking,  Cheese steaks are mostly
Après :     ['recommend', 'place', 'something', 'lack', 'cheese_steak', 'bread', 'want', 'meat', 'cheese_steak', 'bacon']

Avant :     Had a great meal. Sat in the bar. About half way through the meal, someone in the kitchen turned on 
Après :     ['sit_bar', 'half', 'way', 'meal', 'kitchen', 'turn', 'rap', 'music', 'irritate', 'hearing']

Avant :     Usually good but I paid $17.00 for a pasta dish without a salad for carryout. When I got home I saw 
Après :     ['pay', 'pasta_dish', 'carryout', 'home', 'see', 'meatball', 'pasta', 'pay', 'order', 'tomato']

Avant :     We chose this place based on previous reviews but were disappointed with the food. Would not recomme
Après :     ['choose', 'place', 'base_review', 'disappoint', 'food', 'recommend', 'place', 'cost', 'seem', 'item']

Avant :     Been living in the area for 14yr. I'm used to many cuisines Indian, Jamaican, Chinese, Thai, middle 
Après :     ['live', 'area', 'use', 'cuisine', 'want', 'chain', 'applebee', 'chili', 'decide', 'try']

Avant :     Terrible accommodations. Could not handle a simple pasta sauce substitution of marinara for bolognes
Après :     ['accommodation', 'handle', 'pasta', 'sauce', 'substitution', 'speak_manager', 'manager', 'interest', 'customer', 'leave']

Avant :     How does a restaurant that lies to you about the wait, falls to accommodate the elderly and disabled
Après :     ['restaurant', 'lie', 'wait', 'accommodate', 'stay_business', 'mislead', 'call', 'time', 'return', 'food']

Avant :     There is always a problem with service at this place.  Whether is takeout or seat-in they cannot get
Après :     ['problem', 'service', 'place', 'takeout', 'seat', 'give_chance', 'kid', 'oval', 'place', 'order']

Avant :     More like 2.5.   I want to like this place

My Kiwi, pear, carrot, wheat grass juice drink was good.
Après :     ['want', 'place', 'kiwi', 'pear', 'carrot', 'wheat', 'grass', 'juice', 'drink', 'doylestown']

Avant :     Doc Bakers used to be one of my favorite places to stop and get lunch and a healthy shot. Previously
Après :     ['use', 'place', 'stop_lunch', 'shot', 'staff', 'today', 'staff', 'appear', 'bickering', 'order']

Avant :     I am giving the place 2 stars and I wanted to love it!  I believe they will get better with time and
Après :     ['give', 'place', 'star', 'want', 'love', 'believe', 'time', 'update_review', 'food', 'add']

Avant :     Havent been to outback in years but the great outback steakhouse i knew has turned into the mcdonald
Après :     ['outback', 'year', 'outback', 'steakhouse', 'know', 'turn', 'mcdonald', 'steakhouse', 'quality', 'service']

Avant :     Steak was salty & over cooked to the max! I asked for Medium, they came out well well done. The expe
Après :     ['steak', 'cook', 'ask', 'medium', 'come', 'experience', 'steak', 'chew', 'beef', 'say']

Avant :     Ordered from here 2x for lunch (delivery). My first order was pad kee mow. I'll give it an ok-to-goo
Après :     ['order', 'lunch', 'delivery', 'order', 'give', 'rating', 'spicy', 'order', 'order', 'grill']

Avant :     This restaurant just cancelled my NYE reservation that we've had for about 2 months because they've 
Après :     ['restaurant', 'cancel', 'nye', 'reservation', 'month', 'decide', 'charge', 'table', 'honor', 'exist']

Avant :     We made a reservation for dinner almost a week in advance, only to check in and have the hostess sit
Après :     ['make_reservation', 'dinner', 'week', 'advance', 'check', 'hostess', 'sit_bar', 'point', 'reservation', 'walk']

Avant :     Ok let me start by saying love the vibe and the people working there now with that being said the pa
Après :     ['let_start', 'say', 'love', 'vibe', 'people_work', 'say', 'pasta', 'food', 'pasta', 'spaghetti']

Avant :     We didn't really have a good experience at this place . To start with we had to wait about 30 min in
Après :     ['experience', 'place', 'start', 'wait', 'seat', 'room', 'group', 'girl', 'restaurant', 'fault']

Avant :     Cool, trendy place, but the food is eh.  Had cheese and meat plate to start and the burrata was the 
Après :     ['cool', 'place', 'food', 'cheese', 'meat', 'plate', 'start', 'burrata', 'say', 'house']

Avant :     Four of us had dinner at the Sockeye Grill this weekend.  Service was terrible.  Super slow.  Salads
Après :     ['dinner', 'sockeye', 'weekend', 'service', 'salad', 'tasteless', 'dress', 'water', 'finger', 'steak']

Avant :     Decided to go to dinner last night at Sockeye ready for some good food and craft beer.  It took an h
Après :     ['decide', 'dinner', 'night', 'sockeye', 'food', 'craft_beer', 'take', 'hour', 'food', 'order']

Avant :     Although our server was nice, this was some of the worst service I have ever had at a restaurant.  W
Après :     ['server', 'service', 'restaurant', 'wait_minute', 'water', 'minute', 'order', 'food', 'hassle', 'like']

Avant :     Go for the beer. Stay away from the food. The service is poor (waitress nearly ran from table every 
Après :     ['beer', 'stay', 'food', 'service', 'waitress', 'run', 'table', 'time', 'come', 'potato']

Avant :     We sat outside. Bar the flies, it was nice. Then I got my cobb salad. Seriously - warm and wilted le
Après :     ['sit_bar', 'fly', 'cobb', 'salad', 'lettuce', 'romaine', 'tell', 'difference', 'heap', 'portion']

Avant :     We have been going to for a long time and have always loved the food.  Then you changed your menu an
Après :     ['time', 'love', 'food', 'change', 'menu', 'food', 'try', 'time', 'change', 'menu']

Avant :     Wow had high expectations.  Came in on a sat night was slow, sat at bar and literally had six employ
Après :     ['expectation', 'come', 'bar', 'employee', 'walk', 'make', 'eye_contact', 'understand', 'people', 'guy']

Avant :     The food here is horrible.  Service is slow and inattentive.  I had salmon cakes, seriously I could 
Après :     ['food', 'service', 'salmon', 'cake', 'got', 'fish', 'taste', 'quality', 'side', 'rice']

Avant :     I keep forgetting not to order from here. Nasty food.Delivery comes faster than expected.They always
Après :     ['keep', 'forget', 'order', 'food', 'delivery', 'come', 'expect', 'forget', 'add', 'eat']

Avant :     Good menu, solid ingredients, but these folks are not sandwich artists.  I had a Turkey and Brie Wra
Après :     ['menu', 'ingredient', 'folk', 'sandwich', 'artist', 'wrap', 'day', 'spinach', 'wrap', 'wrap']

Avant :     Ridiculous prices for small portions/little meat/mostly rice.
Après :     ['price', 'portion', 'meat', 'rice']

Avant :     Food is not bad (i.e., standard Cosi glorified fast food).  However this particular restaurant has t
Après :     ['food', 'cosi', 'glorify', 'food', 'restaurant', 'rudest', 'employee', 'meet', 'life', 'ask']

Avant :     I went in at 9:15 am for breakfast, didn't get my food until 10. and there were numerous employees b
Après :     ['breakfast', 'food', 'employee', 'register', 'set', 'order', 'sandwich', 'counter', 'line', 'counter']

Avant :     Been to Cosi a few thousand times and the Signature Salad is a favorite.   Went to this one and they
Après :     ['cosi', 'time', 'signature', 'salad', 'favorite', 'try', 'tell', 'dress', 'one', 'tell']

Avant :     I Love Cosi food and what they promote far as healthy eating and alternatives while still being tast
Après :     ['love', 'cosi', 'food', 'promote', 'eat', 'alternative', 'help', 'disgust', 'worker', 'location']

Avant :     We liked the food but we're completely ignored at the ordering counter by FOUR employees.  They woul
Après :     ['like', 'food', 'ignore', 'order', 'counter', 'employee', 'make', 'eye_contact', 'continue', 'help']

Avant :     It's worse than I thought
Their "chicken" is processed stuff
Fake chewy "meat" -- Yech!
Après :     ['thought', 'chicken', 'process', 'stuff', 'meat', 'yech']

Avant :     WORST SERVICE EVER. and i mean ever. 

After someone took my food by accident, I asked them to make 
Après :     ['service', 'mean', 'take', 'food', 'accident', 'ask', 'make', 'one', 'wait_minute', 'misunderstood']

Avant :     Horrible service and store layout. I've been to this place multiple times, and each time I have ende
Après :     ['service', 'store', 'layout', 'place', 'time', 'time', 'end', 'sandwich', 'ask', 'service']

Avant :     It's a Cosi. There are lots of them in the area so you may think to yourself "I know what I'm gettin
Après :     ['area', 'think', 'know', 'place', 'cosi', 'manage', 'taste', 'food', 'employee', 'bunch']

Avant :     I've been to many Cosi shops. This one, like all of the rest, is okay, but a little overpriced consi
Après :     ['cosi', 'shop', 'rest', 'consider', 'portion', 'cost', 'stroke', 'sandwich', 'thing', 'location']

Avant :     This used to be my regular lunch spot until I got fed up with the turkey and brie sandwiches. The ho
Après :     ['use', 'lunch', 'spot', 'feed', 'brie', 'sandwich', 'mustard', 'distribute', 'flatbread', 'sandwich']

Avant :     The food was great but the awful service took away from our first experience there.  We were so exci
Après :     ['food', 'service', 'take', 'experience', 'try', 'place', 'lack', 'waiter', 'request', 'upset']

Avant :     Service was fine (other than our dirty appetizer plates sitting stacked at the end of the table thro
Après :     ['service', 'appetizer', 'plate', 'sit', 'stack', 'end', 'table', 'meal', 'cheese', 'appetizer']

Avant :     I went to Jones because I was craving a good home cooked meal.  I ordered the "Thanksgiving" dinner 
Après :     ['crave', 'home', 'cook', 'meal', 'order', 'thanksgiving', 'dinner', 'save_money', 'diner', 'turkey']

Avant :     Let me start by saying I have had many great experiences at Jones but I forgot what it's like to boo
Après :     ['let_start', 'say', 'experience', 'book_reservation', 'group', 'restaurant', 'try', 'make', 'brunch', 'reservation']

Avant :     Not up to Starr quality. Calmari was soggy, oily. Diner food at 5 times diner prices. Won't go back.
Après :     ['quality', 'soggy', 'diner', 'food', 'time', 'diner', 'price']

Avant :     They kept us waiting and waiting with our three kids without telling us anything. 
Beside that, the 
Après :     ['keep', 'wait', 'wait', 'kid', 'tell', 'food', 'price']

Avant :     Stopped in for dinner and the first thing we noticed is the bar with nothing on tap uhhh wtf they al
Après :     ['stop', 'dinner', 'thing', 'notice', 'bar', 'tap', 'sit', 'table', 'pair', 'type']

Avant :     The carrot cake was the best. They got rid of it for some reason. Horrible. Nachos are still decent,
Après :     ['carrot', 'cake', 'rid', 'reason', 'nachos', 'decent', 'use', 'chicken', 'waffle']

Avant :     This is a review of Jones as an after-work cocktails and appetizer spot.

And as you can see, it's n
Après :     ['review', 'appetizer', 'spot', 'see', 'review', 'hip', 'place', 'market', 'area', 'courthouse']

Avant :     Honestly, if I'm going to pay $25 for pancakes, bacon, coffee, and a drink I want the food to knock 
Après :     ['pay', 'pancake', 'bacon', 'coffee', 'drink', 'want', 'food', 'knock', 'order', 'fruit']

Avant :     Jones is by far my least favorite Stephen Starr restaurant.

First off, the decorum is far too kitsc
Après :     ['decorum', 'point', 'eat', 'aunt', 'apartment', 'food', 'drink', 'leave_desire', 'tomato', 'remember']

Avant :     Really not that good. Ate here with my sister for brunch today and was really underwhelmed. We both 
Après :     ['eat', 'sister', 'brunch', 'today', 'underwhelme', 'order', 'omelette', 'overdone', 'contain', 'feta']

Avant :     Putting lipstick on a pig = Jones. It is a dressed up diner. 

The inside decor and atmosphere is sw
Après :     ['put', 'lipstick', 'dress', 'diner', 'atmosphere', 'fun', 'food', 'menu', 'option', 'choose']

Avant :     I visited the restaurant at 2:00 and was given a brunch menu because the dinner is not served until 
Après :     ['visit', 'restaurant', 'give', 'brunch', 'menu', 'dinner', 'serve', 'bit', 'mean', 'app']

Avant :     Meh. The atmosphere is nice. And the food was okay (not bad, but not fantastic for a $20 chicken pot
Après :     ['atmosphere', 'food', 'chicken', 'pot_pie', 'wait_minute', 'crowd', 'waiting', 'area', 'seat', 'person']

Avant :     Got there early 5pm for dinner was not crowded at meaning there were only three other groups in the 
Après :     ['pm', 'dinner', 'crowd', 'mean', 'group', 'restaurant', 'take', 'minute', 'drink', 'order']

Avant :     I stopped by here tonight for a drink with a friend, and although there were people at tables with e
Après :     ['stop', 'tonight', 'drink', 'friend', 'people', 'table', 'entree', 'serve', 'bar', 'stool']

Avant :     Just wanted to add--someone from the restaurant sent me a message saying he wanted to speak to me ab
Après :     ['want', 'add', 'restaurant', 'send', 'message', 'say', 'want', 'experience', 'see', 'business']

Avant :     Brunch- you can find better ones in the city that serves better brunch than this one. 

Dinner-it wa
Après :     ['brunch', 'find', 'one', 'city', 'serve', 'brunch', 'dinner', 'memorable', 'try', 'ambiance']

Avant :     Been here a few times, food has always been ok at best. Friday lunch was it for me though, I will ne
Après :     ['time', 'food', 'ok', 'lunch', 'service', 'take', 'minute', 'food', 'order', 'talk']

Avant :     Overpriced diner food!!!! Was excited to go here for months and was EXTREMELY disappointed. Cant bel
Après :     ['overprice', 'diner', 'food', 'excite', 'month', 'believe', 'associate', 'name', 'place', 'diner']

Avant :     Not Jonsing for Jones! First time in Philly with two nights at Budakkan and Parc, 5 stars and outsta
Après :     ['jonse', 'jones', 'time', 'night', 'star', 'breakfast', 'morning', 'give_star', 'deserve', 'coffee']

Avant :     When I lived in Center City, Jones was one of my favorite restaurants. When I was back in Philadelph
Après :     ['live', 'restaurant', 'week', 'visit', 'home', 'portland', 'excite', 'catch', 'friend', 'dinner']

Avant :     The decor is nice and drinks are good, however, for brunch, there are better places in Philadelphia.
Après :     ['drink', 'brunch', 'place', 'order', 'omelette', 'egg', 'use', 'appetizing', 'brunch']

Avant :     Came here with a group of 10 and we were told that we could only order off a pre fixed menu with lit
Après :     ['come', 'group', 'tell', 'order', 'pre', 'fix', 'menu', 'entree', 'allow', 'order']

Avant :     Too bad.
Researched Jones on Yelp for my trip to Philly. Got excited by the reviews! Traveled 200 mi
Après :     ['research', 'yelp', 'trip', 'review', 'travel', 'mile', 'brunch', 'make_reservation', 'accept', 'check']

Avant :     My friend ordered beef chow mein and a dish came out that resembled fritos chips... nuff said..
Après :     ['friend', 'order', 'come', 'resemble', 'frito', 'chip', 'say']

Avant :     I was craving Chinese the other night and this seemed like one of the only Chinese restaurants that 
Après :     ['crave', 'night', 'seem', 'restaurant', 'deliver', 'area', 'order', 'suppose', 'chicken', 'taste']

Avant :     Called to ask when the miniature golf course closed, was told 11, and online said 11....show up at 1
Après :     ['call', 'ask', 'golf', 'course', 'close', 'tell', 'say', 'show', 'tell', 'cause']

Avant :     The new owners clearly dont give a shit about the batting cages. They've gotten worse and worse over
Après :     ['owner', 'give', 'shit', 'batting', 'cage', 'year', 'use_love', 'spend_money', 'swing', 'heege']

Avant :     The "piano" at this bar is actually a keyboard.  The "piano" player has all of the personality of a 
Après :     ['piano', 'bar', 'keyboard', 'personality', 'tree', 'visit', 'hide', 'group', 'friend', 'night']

Avant :     I wanted to like this place, but I can't. My friend called ahead of time to find out if it was a smo
Après :     ['want', 'place', 'friend', 'call', 'time', 'find', 'smoking', 'bar', 'say', 'walk']

Avant :     Every dam time we come here it's an issue!!! Either the steak isn't cooked right or hair in the plat
Après :     ['dam', 'time', 'come', 'issue', 'steak', 'cook', 'hair', 'plate', 'piece', 'kitchen']

Avant :     I went to the apple bees in this location and it was an unpleasant experience, The tables i arrived 
Après :     ['bee', 'location', 'experience', 'table', 'arrive', 'order', 'salad', 'meal', 'uncle', 'food']

Avant :     I always considered Applebees as an average place. The food is ho-hum nothing special. At times i wo
Après :     ['consider', 'applebee', 'place', 'food', 'hum', 'time', 'wonder', 'food', 'sit', 'believe']

Avant :     this is the wrost applebees in philly . waitress rude i watching the the game there tonight and beca
Après :     ['applebee', 'waitress', 'watching', 'game', 'tonight', 'change', 'table', 'come']

Avant :     This place is really 50/50, its either good or its bad. I've had times where my waitress never came 
Après :     ['place', 'time', 'waitress', 'come', 'check', 'table', 'time', 'waitress', 'make', 'appetite']

Avant :     It's a freakin' applebees..... are you people serious?  Nothing but a bunch of "bought in" microwave
Après :     ['applebee', 'people', 'bunch', 'buy', 'microwave', 'crap', 'save_money', 'buy', 'dinner', 'kitchen']

Avant :     Don't eat here! The kitchen is disgusting, the staff is unfriendly & the food isn't good. This resta
Après :     ['eat', 'kitchen', 'staff', 'food', 'restaurant', 'need_cleaning']

Avant :     So i called before Friday night rush to order for delivery since i live 5 minutes from them and they
Après :     ['call', 'night', 'rush', 'order', 'delivery', 'minute', 'send', 'flier', 'place', 'order']

Avant :     Only ordered there pizza but man is it salty and just plain. Lack of toppings doesn't help but the c
Après :     ['order', 'pizza', 'man', 'lack', 'topping', 'help', 'crust', 'cardboard', 'area', 'want']

Avant :     We had some catering ordered by our Company from this restaurant. It was Baked Ziti with Cheese and 
Après :     ['catering', 'order', 'company', 'restaurant', 'bake', 'ziti', 'cheese', 'meatball', 'knot', 'knot']

Avant :     I went here with a friend to kill some time before seeing a movie next door.  The atmosphere is cozy
Après :     ['friend', 'kill', 'time', 'see', 'movie', 'door', 'atmosphere', 'indie', 'looking', 'chocolate']

Avant :     Small things. The cup of nitro coffee was not filled because we had requested no ice as the coffee i
Après :     ['thing', 'cup_coffee', 'fill', 'request', 'ice', 'coffee', 'chill', 'receive', 'staff', 'lack']

Avant :     As a fellow business owner/manager you must update your hours of operation via website whenever the 
Après :     ['business', 'owner', 'manager', 'update', 'hour_operation', 'website', 'hour', 'differ', 'holiday', 'weather']

Avant :     I don't get the hype at all. Place looks like a college hang out. It's dirty, uncomfortable, chaotic
Après :     ['place', 'look', 'college', 'hang', 'freeze', 'food', 'fine', 'excite', 'coffee', 'decent']

Avant :     This place used to be good. I have been going here since I was in high school when it opened. I rece
Après :     ['place', 'use', 'school', 'open', 'return', 'number', 'year', 'area', 'disappoint', 'decline']

Avant :     Kill me!!! Desperately ran in here for a quick cup on the way to class. The first thing that was sai
Après :     ['kill', 'run', 'class', 'thing', 'say', 'close', 'make', 'opt', 'tea', 'taste']

Avant :     Went to Revivals for Easter Brunch Buffet total disappointment!   Over cook eggs, lunch meat ham,  l
Après :     ['revival', 'easter', 'disappointment', 'egg', 'lunch', 'sauce', 'sausage', 'bacon', 'price', 'quality']

Avant :     Closed with no warning.  I had the banquet room reserved and out of the blue I got a check in the ma
Après :     ['warning', 'banquet', 'room', 'reserve', 'check', 'mail', 'deposit', 'reason', 'day', 'event']

Avant :     Bartender was unprofessional, touching her hair and face as she poured drinks and touched glasses an
Après :     ['bartender', 'hair', 'face', 'pour', 'drink', 'touch', 'glass', 'straw', 'try', 'pass']

Avant :     Average.  Food could be better, especially for the prices.  Nice place inside.  Thought  the service
Après :     ['food', 'price', 'place', 'thought', 'service', 'average', 'make_effort', 'rarety']

Avant :     Been here twice. First time was during the week and it was pretty dead. Bartender was super friendly
Après :     ['time', 'week', 'bartender', 'food', 'time', 'waitress', 'walk', 'table', 'time', 'ask']

Avant :     Ask yourself a question, are you going for food or a blizzard. If it is anything other than a blizza
Après :     ['ask_question', 'food', 'blizzard', 'blizzard', 'find', 'seem', 'run', 'adult', 'school', 'expect']

Avant :     Foods ok , sucks they don't have anything smaller then the sloppy monster slice sometimes it's just 
Après :     ['food', 'suck', 'monster', 'slice', 'claim', 'sell', 'panzorottis', 'tarantini', 'cheese_melt', 'search']

Avant :     I have tried this food several times end every time I have had a bad experience. I have friends who 
Après :     ['try', 'food', 'time', 'end', 'time', 'experience', 'friend', 'health', 'continue', 'eat']

Avant :     3 stars for the standard seafood and buttered veggie fair. Less for the service and ambiance. The ta
Après :     ['seafood', 'butter', 'veggie', 'service', 'ambiance', 'table', 'rickety', 'boyfriend', 'server', 'attitude']

Avant :     In addition to my previous review, my husband reminded me that the waiter leaned over him multiple t
Après :     ['addition', 'review', 'husband', 'remind', 'waiter', 'lean', 'time', 'drop', 'sweat', 'husband']

Avant :     Benefitting from the limited options available in Bala, La Collina is the epitome of a traditional I
Après :     ['benefit', 'option', 'restaurant', 'menu', 'thing', 'soup', 'waiter', 'option', 'business', 'lunch']

Avant :     Wish I could give this place more stars because the atmosphere is great, staff is nice but my meal w
Après :     ['wish', 'give', 'place', 'star', 'atmosphere', 'staff', 'meal', 'force', 'half', 'chicken']

Avant :     Nice place.  Great view.  Food is excellent.  But the place lacks charm.
Also, valet parking is requ
Après :     ['place', 'view', 'food', 'place', 'lack', 'charm', 'valet', 'parking', 'require', 'park']

Avant :     The atmosphere is excellent- you feel as if you've stumbled into a stereotype of an Italian restaura
Après :     ['atmosphere', 'feel', 'stumble', 'stereotype', 'restaurant', 'piano', 'music', 'accent', 'waiter', 'wine_list']

Avant :     Awful meal...red sauce on linguine was greasy, white sauce on linguine was watery and bland. Sauce o
Après :     ['meal', 'sauce', 'sauce', 'linguine', 'bland', 'sauce', 'taste', 'come', 'ask', 'bread']

Avant :     First time there, unbelievably disappointed. We tried their "Suicide" wings and they do NOT live up 
Après :     ['time', 'try', 'suicide', 'wing', 'live', 'name', 'suicide', 'flavor', 'taste', 'chile']

Avant :     You know, there is nothing worse than going back to a place you like and finding out it just sucks, 
Après :     ['know', 'place', 'find', 'suck', 'mean', 'hoover', 'status', 'wing', 'use', 'visit']

Avant :     I thought the food was terribly greasy. Even the plate of broccoli and cauliflower left a coating of
Après :     ['think', 'food', 'greasy', 'plate', 'broccoli', 'cauliflower', 'leave', 'coat', 'oil', 'bowl']

Avant :     .  They started out saying it was a 45 min wait.... Then they asked if we lived  n the neighborhood 
Après :     ['start', 'say', 'ask', 'live', 'neighborhood', 'say', 'table', 'glass_wine', 'grade', 'make']

Avant :     Six of us over sixty came in and was told the only valuable place to sit would be on the high stools
Après :     ['come', 'tell', 'place', 'sit', 'stool', 'discuss', 'possibility', 'tell', 'open', 'vip']

Avant :     Chicken parm. was pretty good. Restaurant has a sport-bar feel to it.
Après :     ['parm', 'restaurant', 'sport_bar', 'feel']

Avant :     The restaurant week menu was ok but they were out of most of the items on the list. The bread served
Après :     ['restaurant', 'week', 'menu_item', 'list', 'bread', 'serve', 'table', 'service', 'mediocre', 'accommodate']

Avant :     While staying with my father at Jefferson Hospital, I went to lascala's two nights in a row.  I am v
Après :     ['stay', 'lascala', 'night', 'row', 'restaurant', 'pronto', 'minute', 'visit', 'meal', 'night']

Avant :     Dropped in this evening for a dinner while on an extended layover - recommended by hotel concierge. 
Après :     ['drop', 'evening', 'dinner', 'extend', 'layover', 'recommend', 'hotel', 'concierge', 'greet', 'host']

Avant :     Decent if youre into gluttonous food. Everything was covered in an insane amount of cheese, and ingr
Après :     ['food', 'cover', 'amount', 'cheese', 'ingredient', 'cook', 'mediocre', 'restaurant']

Avant :     horrible experience. we had 20 ppl for lunch, and we were told we could have a 3 course deal for $17
Après :     ['experience', 'tell', 'course', 'deal', 'group', 'bill', 'come', 'story', 'tell', 'give']

Avant :     I fell upon this place as i was walking around the Philly area with a friend. We were craving some I
Après :     ['fall', 'place', 'walk', 'area', 'friend', 'craving', 'happen', 'find', 'lascala', 'share']

Avant :     Lines move fast so that may be part of the problem is the rush to move people. 
Ordered slice of mea
Après :     ['line', 'move', 'part', 'problem', 'rush', 'move', 'people', 'order', 'slice', 'pizza']

Avant :     Lobster Mac & Cheese is the ONLY reason it gets 2 stars.....service ALWAYS poor and depending who co
Après :     ['cheese', 'reason_star', 'service', 'depending', 'come', 'wait', 'eternity', 'seat', 'place', 'make']

Avant :     Super disappointed. Ordered my food through caviar but it was not cooked well. You can tell it was r
Après :     ['order', 'food', 'caviar', 'cook', 'tell', 'rush', 'shame', 'place', 'favorite', 'order']

Avant :     if you don't live in west conshohocken, there's absolutely no reason to go here. service is shoddy a
Après :     ['live', 'conshohocken', 'reason', 'service', 'food', 'average', 'find', 'home']

Avant :     Don't know why I bothered, service is still horrible.  Uggh.
Après :     ['know', 'service', 'uggh']

Avant :     Let me first off say I'm appreciative of the Monday night special, 1 topping large pizza for $10.82 
Après :     ['let', 'say', 'night', 'top', 'pizza', 'door', 'care', 'crust', 'sauce', 'cheese']

Avant :     It's funny how I posted a bad review the other day about horrible service, instead of contacting me 
Après :     ['post', 'review', 'day', 'service', 'contact', 'find', 'issue', 'erase', 'happen']

Avant :     Mostly kids working that don't care about service. We waited over an hour for our pizza.  When we fi
Après :     ['kid', 'work', 'care', 'service', 'wait', 'hour', 'pizza', 'pizza', 'potato', 'place']

Avant :     Pizza was great and service was even polite......but the issue i had was with this coupon $10 for $2
Après :     ['pizza', 'service', 'issue', 'coupon', 'purchase', 'try', 'use', 'give', 'bill', 'advertising']

Avant :     Not good, I was expecting more for the price they charge. Don't trust this place
Après :     ['expect', 'price', 'charge', 'trust', 'place']

Avant :     Great pizza place. Good pizza even on a busy night. But unfortunately and honestly I saw a rolled jo
Après :     ['pizza', 'place', 'pizza', 'night', 'see', 'roll', 'half', 'phone', 'counter', 'ask']

Avant :     Love their pizza and their rojo potatoes are awesome. The downside is their service. We tried to ord
Après :     ['potato', 'service', 'try', 'order', 'pizza', 'tonight', 'put_hold', 'minute', 'argue', 'combo']

Avant :     I came to the Wayne store on a Sunday afternoon. I ordered a chili mocha Frappuccino, it was wonderf
Après :     ['come', 'afternoon', 'order', 'come', 'follow', 'order', 'thing', 'size', 'mistake', 'make']

Avant :     Hated this place I went in to try an egg roll and get a sushi roll and both were bad the egg was hor
Après :     ['hate', 'place', 'try', 'egg_roll', 'egg', 'chewy']

Avant :     Food is typical for Chinese delivery. The delivery however... Estimated wait time was 45 minutes. I 
Après :     ['food', 'delivery', 'delivery', 'estimate', 'wait', 'time', 'minute', 'receive', 'order', 'hour_half']

Avant :     I was oder  delivery  see food  rice  vary  bad and smell  to bad next time no more oder
Après :     ['delivery', 'see', 'food', 'rice', 'vary', 'smell', 'time', 'oder']

Avant :     Well, we have been waiting an hour and forty minutes for a simple sushi roll and general tso's. When
Après :     ['waiting_hour', 'minute', 'call', 'say', 'driver', 'way', 'minute', 'food', 'mediocre', 'time']

Avant :     Not only do they take FOREVER to get here (they are right up the street from us) But this is the sec
Après :     ['take', 'street', 'day', 'row', 'mess', 'order', 'forget', 'part', 'herd', 'thing']

Avant :     After an hour wait and the rudest phone reception, we're going to cancel this order. Bullshit. Never
Après :     ['hour', 'phone', 'reception', 'cancel_order', 'bullshit']

Avant :     The only good thing about this restaurant were the tortilla chips! They were authentic and tasty. Ot
Après :     ['thing', 'restaurant', 'tortilla_chip', 'void', 'flavor', 'call', 'mexican', 'bland', 'queso', 'taste']

Avant :     I ordered from this place a couple months ago and was blown away - it was super good. I ordered from
Après :     ['order', 'place', 'couple_month', 'blow', 'order', 'week', 'disappoint', 'fish', 'family', 'combo']

Avant :     When you walk in the mood is very relaxed but the first thing you notice is a plethora of food that 
Après :     ['walk', 'mood', 'relax', 'thing', 'food', 'sit', 'day', 'look', 'dry', 'let_start']

Avant :     My daughter had raved about Parada Maimmon; the food and the portions.  She gets the baked chicken w
Après :     ['rave', 'food', 'portion', 'chicken', 'rice_bean', 'excite', 'call', 'tell', 'stop', 'sunday']

Avant :     We had drinks outside at the poolside tiki bar. The bartender was a miserable prick. Come on Safety 
Après :     ['drink', 'poolside', 'bar', 'bartender', 'prick', 'come', 'safety', 'harbor', 'resort', 'hire']

Avant :     As a bedrock of the Safety Harbor community it is terrible that this Cosby is tearing down more than
Après :     ['safety', 'harbor', 'community', 'tear', 'legacy', 'oak', 'order', 'pave', 'parking_lot', 'tree']

Avant :     *This review is for the Sunday brunch only*

Any Brunch snob knows delicious melt in your mouth waff
Après :     ['review', 'brunch', 'brunch', 'snob', 'know', 'mouth', 'waffle', 'waffles', 'biscuit', 'dry']

Avant :     This hotel has charged me twice to stay in a hotel for you one night. I booked through Priceline and
Après :     ['hotel', 'charge', 'stay_hotel', 'night', 'book', 'priceline', 'count', 'manager', 'name', 'help']

Avant :     We loved our spa services! However, lunch at the Tiki Bar was a disaster; horrendous service, no gas
Après :     ['love', 'spa', 'service', 'lunch', 'bar', 'disaster', 'service', 'gas', 'grill', 'manager']

Avant :     The hotel and spa are beautiful, as is the outdoor seating. The food, is half star (at best.) The se
Après :     ['hotel', 'spa', 'seat', 'food', 'half', 'star', 'service', 'place', 'recommend']

Avant :     Stayed here 5 days and I thought that it would have improved since the last time I was here. Some up
Après :     ['stay', 'day', 'think', 'improve', 'time', 'grade', 'notice', 'service', 'stink', 'fit']

Avant :     This place is a joke. First, we had to go through 3 different people just to place a to-go order eve
Après :     ['place', 'joke', 'people', 'place', 'order', 'wait_minute', 'make', 'wedge', 'salad', 'apology']

Avant :     Been almost a year since I've eaten at this place, so an update is an order since we had an early di
Après :     ['year', 'eat', 'place', 'update', 'order', 'dinner', 'night', 'hour', 'wintry', 'place']

Avant :     Very disappointing. My husband and I used to love coming in to bullys. They've made some changes tha
Après :     ['husband', 'use_love', 'come', 'bullys', 'make', 'change', 'reflect', 'business', 'stop', 'tonight']

Avant :     Two Strikes ... you're out!  Waited an hour for food only to find out that the waitress forgot to pu
Après :     ['strike', 'wait', 'hour', 'food', 'find', 'forgot_put', 'order', 'time', 'time', 'bring']

Avant :     I used to be a regular lunch customer at this Bullys but the food has gotten bad recently.  Got brow
Après :     ['use', 'lunch', 'customer', 'bullys', 'food', 'lettuce', 'month', 'complain', 'take', 'bill']

Avant :     Came here for lunch and waited about 15 minutes and no one ever came over to take our order. We trie
Après :     ['come', 'lunch', 'wait_minute', 'come', 'take', 'order', 'try', 'bartender', 'attention', 'phone']

Avant :     Service is lousy, waitresses stood In a corner and talked amoungst themselves. Waited for 20 min jus
Après :     ['service', 'lousy', 'waitress', 'stand', 'corner', 'talk', 'wait_min', 'drink']

Avant :     Service is good. Beer is good. Plenty of TV'S to watch sports. Food is below average. Cleanliness of
Après :     ['service', 'beer', 'plenty', 'tv', 'watch_sport', 'food', 'cleanliness', 'dining_area', 'way', 'assume']

Avant :     First food poisoning of my life, i spent the night in the hospital...i would stay clear
Après :     ['food_poison', 'life', 'spend', 'night', 'hospital', 'stay']

Avant :     Concept is good but the taste is below average. I got a rice bowl with spicy chicken curry and lamb 
Après :     ['concept', 'taste', 'average', 'rice', 'bowl', 'lamb', 'vindaloo', 'taste', 'staff', 'ambience']

Avant :     As much as I love Indian food, this place was kind of a disappointment.

I came here during lunch wi
Après :     ['love', 'food', 'place', 'disappointment', 'come', 'lunch', 'intern', 'friend', 'want', 'try']

Avant :     Very pricey for quality and quantity...3 of us ate here for lunch..2 slices pizza, pasta, vegetable 
Après :     ['quality_quantity', 'eat', 'lunch', 'slice', 'pizza', 'pasta', 'vegetable', 'plate', 'drink', 'dessert']

Avant :     don't get anything besides cheesecake unless you wanna get fat and lose your good 401k
Après :     ['cheesecake', 'lose']

Avant :     The food is mediocre for the prices. Also the hostess tried to sit us in the bar area with five peop
Après :     ['food', 'price', 'hostess', 'try', 'sit_bar', 'area', 'people', 'handicap', 'person', 'ask']

Avant :     Worst Cheesecake Factory ever! Service was super slow and rude. Go to the Green Hills location. It h
Après :     ['cheesecake_factory', 'service', 'hill', 'location', 'service']

Avant :     Probably one of the worst cheesecake factories in America. Our waitress was SUPER friendly, but only
Après :     ['cheesecake_factory', 'waitress', 'friendliness', 'accommodate', 'crap', 'food']

Avant :     I've tried to like this Cheesecake, but I've found the food quality and portions here suffer compare
Après :     ['try', 'cheesecake', 'find', 'food', 'quality', 'portion', 'suffer', 'compare', 'cheesecake', 'location']

Avant :     Need to do a better job estimating time.  Told us 65 minutes now been an hour and a half.  We could 
Après :     ['need', 'job', 'estimating', 'time', 'tell', 'minute', 'hour_half', 'keep', 'shop']

Avant :     While the food is generally very good, the service and how the kitchen operates is the worst. Two ou
Après :     ['food', 'service', 'kitchen', 'operate', 'visit', 'appetizer', 'arrive', 'entree', 'show', 'table']

Avant :     Bad service! will never return to this location. No need to explain, read all the terrible reviews o
Après :     ['service', 'return', 'location', 'explain', 'read_review', 'location', 'home', 'office', 'care', 'read']

Avant :     Just personal preference i guess but there was too much sauce so it was all goopy and too overpoweri
Après :     ['preference', 'guess', 'sauce', 'goopy', 'overpower', 'flavour']

Avant :     Simply put...it is NOT the best Korean Fried Chicken in town. Try Wing Chix and see the difference.
Après :     ['put', 'fry', 'chicken', 'town', 'try', 'wing', 'chix', 'see', 'difference']

Avant :     Okay I must be missing something.  There is no question the chicken is crispy..... but that's it. It
Après :     ['miss', 'question', 'chicken', 'crispy', 'season', 'ketchup', 'sauce', 'help', 'flavour', 'oil']

Avant :     I went with my son and we ordered the half and half chicken which is a mixture of 3 regular pieces a
Après :     ['son', 'order', 'half', 'chicken', 'mixture', 'piece', 'piece', 'fry', 'chicken', 'sauce']

Avant :     Called them to see what time they were open until and was told 8 o'clock. Showed up at 6pm and they 
Après :     ['call', 'see', 'time', 'tell', 'clock', 'show', 'close', 'impression', 'try', 'time']

Avant :     The food is always delicious and the decor is warm and inviting.  I come here every time I visit the
Après :     ['food', 'inviting', 'come', 'time', 'visit', 'area', 'meal', 'night', 'inch', 'cross']

Avant :     tried calling half a dozen times around noon today with no answer.
call went directly to answering m
Après :     ['try', 'call', 'dozen', 'time', 'noon', 'today', 'answer', 'call', 'answer', 'machine']

Avant :     I'll start by saying I cannot speak on the food because we did not stay to eat. My cocktail was very
Après :     ['start', 'say', 'speak', 'food', 'stay', 'eat', 'cocktail', 'bartender', 'appal', 'fact']

Avant :     The boneless pork chops with collard greens  were fantastic! Perfectly cooked pork, beautiful sweet 
Après :     ['pork_chop', 'collard', 'green', 'cook', 'pork', 'sauce', 'pair', 'green', 'music', 'jazz']

Avant :     A friend and I went for Sunday brunch. No wait for a table as there were only about a dozen people d
Après :     ['friend', 'brunch', 'wait', 'table', 'dozen', 'people', 'dining', 'drink', 'food', 'order']

Avant :     While the staff was nice however the service was slow and the food was middle of the line. While the
Après :     ['staff', 'service', 'food', 'line', 'musician', 'sound', 'expect', 'label', 'place', 'jazz']

Avant :     My wife and I were extremely disappointed with the TACE Lounge Valentine's dinner.  The normal menu 
Après :     ['wife', 'lounge', 'valentine', 'dinner', 'menu', 'substitute', 'valentine', 'menu', 'meal', 'price']

Avant :     Good concept and location. Was looking for a local place to have a nice Cajun dinner with live music
Après :     ['concept', 'location', 'look', 'place', 'cajun', 'dinner', 'music', 'menu', 'think', 'order']

Avant :     I almost fell off my chair reading the reviews for this store. "Gone down hill since Raley's bought 
Après :     ['fall', 'chair', 'read_review', 'store', 'hill', 'buy', 'store', 'dirty', 'disorganize', 'folk']

Avant :     Waited 3 hours for my order after calling several times. Really should have just cancelled the order
Après :     ['wait', 'hour', 'order', 'call', 'time', 'cancel_order', 'hour_half', 'receive', 'order', 'lukewarm']

Avant :     The food was barely warm on several different buffet stations. It was dinner time so there is no exc
Après :     ['food', 'buffet', 'station', 'dinner', 'cook', 'know']

Avant :     When this place first opened up, it was actually nice. The food and sushi were both fresh and even t
Après :     ['place', 'open', 'food', 'crab_leg', 'second', 'pricing', 'rid', 'crab_leg', 'serve', 'one']

Avant :     Although this buffet has more of a variety than any other buffets I've been to, I believe it should 
Après :     ['variety', 'buffet', 'believe', 'star', 'come', 'think', 'time', 'experience', 'food', 'taste']

Avant :     I don't know how other people rated this Wendy's a 5 because it was horrible. We waited 30 minutes t
Après :     ['know', 'people', 'rate', 'wait_minute', 'serve', 'food', 'potato', 'customer_service', 'understand', 'food']

Avant :     OMG this place defies the standards of fast food. Longer wait in the drive thru than in the lobby. I
Après :     ['place', 'defy', 'standard', 'food', 'wait', 'drive', 'lobby', 'option', 'star', 'location']

Avant :     Terrible went to drive thru. Gave me a cheese burger instead of hamburger. Told me to keep it cant t
Après :     ['drive', 'give', 'cheese', 'burger', 'tell', 'keep', 'take', 'give', 'try', 'ketchup']

Avant :     They don't even deserve one star. I was in there 20 minutes waiting for a salad!!!!! So horrible, I 
Après :     ['deserve_star', 'minute', 'wait', 'salad', 'thinking', 'fast', 'food', 'service', 'feel', 'walk']

Avant :     Came here for breakfast on a Saturday morning. Had to wait 15 minutes for a table. The interior is v
Après :     ['come', 'breakfast', 'morning', 'minute', 'table', 'bunch', 'booth', 'speak', 'uninspiring', 'menu']

Avant :     One of the worst breakfast meals I've had in awhile. Had the quiche, very bland with zero flavor. No
Après :     ['breakfast', 'meal', 'flavor', 'flavor', 'creamer', 'coffee', 'squeeze', 'know', 'make', 'chocolate']

Avant :     They have made some changes in the kitchen and the quality of food has gone down. I think the same k
Après :     ['make', 'change', 'kitchen', 'quality', 'food', 'think', 'kitchen', 'work', 'sahms', 'par']

Avant :     This was our first time and we got turned off when there was food all over the floor at our booth fo
Après :     ['time', 'turn', 'food', 'floor', 'booth', 'child', 'sit', 'table', 'waitress', 'clean']

Avant :     MEH! I ordered to go. the quiche, they didnt give the fruit as stated on the menu, no jelly with the
Après :     ['meh', 'order', 'give', 'fruit', 'state', 'state', 'menu', 'bland', 'taste', 'think']

Avant :     Went there today to get a bagel and it said they closed at 3. It was around 1:50 and the door was lo
Après :     ['today', 'say', 'close', 'door_lock', 'girl', 'work', 'hour', 'minute', 'closing', 'door_lock']

Avant :     PROS ~ Very good selection of Beverages

CONS ~ Went for lunch (noon) and the selection of bagels wa
Après :     ['pro', 'selection', 'beverage', 'con', 'lunch', 'noon', 'selection', 'bagel', 'sell', 'breakfast']

Avant :     This is the only bagel store in the area. The bagels used to be much better (Long Island born and ra
Après :     ['area', 'bagel', 'use', 'island', 'bear', 'raise', 'girl', 'know', 'bagel', 'product']

Avant :     This place is incredibly filthy and I will be contacting the health department :-) 

Service is also
Après :     ['place', 'contact', 'health', 'department', 'service', 'witness']

Avant :     Country music blaring, I don't like it but understand some might but still! Took 5 min to be seen in
Après :     ['country', 'music', 'blare', 'understand', 'took', 'min', 'see', 'place', 'order', 'wait_min']

Avant :     Let me say, that I don't live in Missouri and my state banned indoor smoking a long time ago.

I wen
Après :     ['let', 'say', 'live', 'state', 'ban', 'smoking', 'time', 'shot', 'friend', 'menu']

Avant :     Hands down THE WORST service I have ever witnessed. Waited an HOUR to even get a drink order. An hou
Après :     ['hand', 'service', 'witness', 'wait', 'hour', 'drink', 'order', 'hour', 'drink', 'order']

Avant :     This place is a joke yet is always doing business. Go figure.

The place is just  full of the meat-h
Après :     ['place', 'joke', 'business', 'figure', 'place', 'meat', 'head', 'idiot', 'stand', 'moron']

Avant :     I live in NW, like to pick up sandwiches when we go hiking. Second visit here. 3 young ladies with v
Après :     ['live', 'nw', 'pick', 'sandwich', 'hike', 'visit', 'lady', 'customer_service', 'work', 'visit']

Avant :     They skimp you on ingredients. They put the ingredients on the outside so it looks filling but it's 
Après :     ['ingredient', 'put', 'ingredient', 'look', 'fill', 'trick']

Avant :     Disappointing experience beginning with confusion with order and computer software. Had to place my 
Après :     ['experience', 'begin', 'confusion', 'order', 'computer', 'software', 'place', 'order', 'chicken', 'wrap']

Avant :     This place has really good chicken.  Like really good.  However, their service is hideous!  Unfortun
Après :     ['place', 'chicken', 'service', 'staff', 'fault', 'system', 'crash', 'cause', 'repeat', 'order']

Avant :     Ordered wings for appetizer.  When they brought us our meal, we asked about the appetizer .  They sa
Après :     ['order', 'wing', 'appetizer', 'bring', 'meal', 'ask', 'appetizer', 'say', 'ask', 'order']

Avant :     If you like total salt and sodium infused food, then this is the place to go. I kid you not. I do no
Après :     ['salt', 'sodium', 'infuse', 'food', 'place', 'kid', 'believe', 'food', 'restaurant', 'prepare']

Avant :     This place is great if  only ambiance you crave is behind a joystick.  Wife and I brought in the kid
Après :     ['place', 'ambiance', 'crave', 'wife', 'bring', 'kid', 'blast', 'wife', 'bore', 'mind_pay']

Avant :     For some reason, my friends really like this place, but it feels more appropriate for an overgrown m
Après :     ['reason', 'friend', 'place', 'feel', 'man', 'child', 'child', 'patio', 'spot', 'hang']

Avant :     Food was horrible. Flies all over the place. It stinks in his place. Never again never
Après :     ['food', 'fly', 'place', 'stink', 'place']

Avant :     This place has the worst service. I only have this place 2 stars because they have a waiter there na
Après :     ['place', 'service', 'place', 'star', 'waiter', 'name', 'want', 'service', 'rest', 'bimbo']

Avant :     Our waitress was great. The issue was my veggie burger was not cooked. They did take it off the bill
Après :     ['waitress', 'issue', 'veggie', 'burger', 'cook', 'take', 'bill', 'plan']

Avant :     My family came to visit. The five of us ate here around 100pm. By 700pm we were all feeling ill, one
Après :     ['family', 'come', 'visit', 'eat', 'feel', 'end', 'hospital', 'include', 'mother', 'home']

Avant :     Don't get the smaller tavern burger! It's a different patty that taste like the 49 cents McDonald's 
Après :     ['burger', 'taste', 'cent', 'mcdonald']

Avant :     So was there today w my family and Victoria was our server. I ordered a chicken Caesar wrap and it h
Après :     ['today', 'family', 'victoria', 'server', 'order', 'wrap', 'piece_chicken', 'bite', 'cut', 'side']

Avant :     Yesterday was our second time eating at this Red Robin location. The first time we ate at red Robin 
Après :     ['yesterday', 'time', 'eat', 'location', 'time', 'eat', 'robin', 'service', 'bit', 'figure']

Avant :     We used to like coming here... 
The past couple if times we've come here the service was half a$$. I
Après :     ['use', 'come', 'couple', 'time', 'come', 'service', 'half', 'request', 'drink_refill', 'silverware']

Avant :     I could make a jacks pizza taste better than their pizza with little effort.  We ordered two pizzas 
Après :     ['make', 'jack', 'pizza', 'taste', 'pizza', 'effort', 'order', 'pizza', 'taste', 'ingredient']

Avant :     I love the food here, especially the small pizza lunch special. However, the service here is ways so
Après :     ['love', 'food', 'pizza', 'lunch', 'service', 'way', 'pick', 'food', 'estimate', 'time']

Avant :     Waited 6 minutes for someone to even take the order. Waited 28 minutes for the slices. Manager came 
Après :     ['wait_minute', 'take', 'order', 'wait_minute', 'slice', 'manager', 'come', 'minute', 'tell', 'make']

Avant :     Terrible experience!!!! We went through the drive thru and ordered 2 burgers and the guy had us pull
Après :     ['experience', 'drive', 'order', 'burger', 'guy', 'pull', 'give', 'burger', 'say', 'minutes']

Avant :     I'm sorry but eggs over easy is the most basic of breakfast items. You can't prepare them correctly 
Après :     ['egg', 'breakfast', 'item', 'prepare', 'hollandaise_sauce', 'package', 'egg_benedict', 'thank']

Avant :     We made an online order and then went to pick it up. When we got there she said the order didn't go 
Après :     ['make', 'order', 'pick', 'say', 'order', 'reorder', 'say', 'wait_minute', 'wait', 'man']

Avant :     If you like to wait while several tables are open,  terrible service, a dirty restaurant, and very m
Après :     ['wait', 'table', 'service', 'restaurant', 'food', 'overprice', 'breakfast', 'love', 'place', 'breakfast']

Avant :     While we were waiting to order we noticed the coffee cups were dirty with lipstick. The silverware w
Après :     ['wait', 'order', 'notice', 'coffee', 'cup', 'lipstick', 'silverware', 'server', 'item', 'meal']

Avant :     I am staying at the Best Western next door and was dying for waffles but noticed how busy they were 
Après :     ['stay', 'door', 'die', 'waffle', 'notice', 'wait', 'order', 'meal', 'receive', 'check']

Avant :     Picked up the Pizza on Sat afternoon 2/10/18 , found a long hair in it. I pulled it from my month an
Après :     ['pick', 'pizza', 'find_hair', 'pull', 'month', 'vomit', 'return', 'hair_net', 'nice']

Avant :     I went here once when I first moved to Oro Valley, and that was enough for me.  I ordered a margarit
Après :     ['move', 'order', 'notice', 'pre_make', 'mix', 'pour', 'glass', 'quality', 'reflect', 'margaritas']

Avant :     We bought our kids here for lunch, the table we sat on had ants on it so we were reseated. They were
Après :     ['buy', 'table', 'sit', 'ant', 'reseat', 'kid', 'soda', 'ask', 'salsa', 'tomato']

Avant :     We decided to give Carlotas one more try tonight. We believe in family owned businesses, so we weren
Après :     ['decide', 'give', 'carlotas', 'try', 'tonight', 'believe', 'family', 'business', 'throw', 'towel']

Avant :     Took our kids there for lunch on a very slow Saturday. We switch table because our had ants all over
Après :     ['take', 'kid', 'lunch', 'switch', 'table', 'ant', 'soda', 'request', 'salsa', 'reason']

Avant :     I am not familiar with onion in Mac Salad,  teriyaki needs to be truly grilled.  Not the worst I've 
Après :     ['onion', 'salad', 'need', 'grill']

Avant :     Review would be a 3 1/2 star review for the draft and bottle selection but food is a 2 for sure. Sto
Après :     ['review', 'star', 'review', 'draft', 'bottle', 'selection', 'food', 'stop', 'night', 'brisket']

Avant :     I was so excited about this place. Which is why it pains me that I'm writing this. We picked up dinn
Après :     ['place', 'pain', 'write', 'pick', 'dinner', 'tonight', 'staff_rude', 'food', 'potato', 'potato_salad']

Avant :     It will not let me give less than one star.  This place is the worst. I have been to Denny's all acr
Après :     ['let', 'give_star', 'place', 'denny', 'country', 'service', 'people', 'die', 'set_foot', 'place']

Avant :     The waitress was old-school Diner and it was funny and very attentive. but they were out of basicall
Après :     ['waitress', 'school', 'diner', 'attentive', 'menu', 'include', 'dessert', 'food_poison', 'food']

Avant :     We stayed 3 weeks in the USA. We ate several times in Denny's restaurants. This one was realy awfull
Après :     ['stay', 'week', 'eat', 'time', 'denny', 'restaurant', 'realy', 'awfull', 'read', 'commentary']

Avant :     Horrible horrible experience!!!!  Staff is unprofessional manager is very !!!! I had two takeout ord
Après :     ['experience', 'staff', 'manager', 'takeout', 'order', 'place', 'call', 'place', 'restaurant', 'arrive']

Avant :     Overpriced mediocrity.  Please don't waste your money here.  My family has eaten here twice and both
Après :     ['overprice', 'mediocrity', 'waste_money', 'family', 'eat', 'time', 'price', 'meal', 'appal', 'clue']

Avant :     Wait staff was pleasant but food took forever even though it wasn't remotely busy. Burger bun too so
Après :     ['wait', 'staff', 'food', 'take', 'burger', 'bun', 'fry', 'dust', 'greasy', 'hype']

Avant :     Horrible service and food. Service was terrible. The management staff seemed to congregate at the wa
Après :     ['service', 'food', 'service', 'management', 'staff', 'seem', 'congregate', 'station', 'chat', 'night']

Avant :     DISMAL. 1st medium rare steak was cooked so much it was shoeleather. Brown all the way through. The 
Après :     ['steak', 'cook', 'way', 'manager', 'offer', 'atfer', 'min', 'make', 'excuse', 'ask']

Avant :     Service was slow, forgot my order, took over ten minutes to get drink after ordering which I may add
Après :     ['service', 'forgot', 'order', 'take', 'minute', 'drink', 'ordering', 'add', 'take', 'minute']

Avant :     What the heck has happened to Claim Jumper?? The food used to be very good. My girlfriend and I went
Après :     ['happen', 'claim', 'food', 'use', 'girlfriend', 'lunch', 'terrible', 'use', 'restaurant', 'food']

Avant :     Wow let's start at the top. Walk in to put name down. I can see it's a wait. Get zero eye contact fr
Après :     ['let_start', 'walk', 'put', 'name', 'see', 'wait', 'eye_contact', 'hostess', 'girl', 'work']

Avant :     Just don't get how this place is still in business.  I've been a couple of times and each time we've
Après :     ['place', 'business', 'couple', 'time', 'time', 'wait', 'couple', 'year', 'visit', 'see']

Avant :     Not very impressed  by the food, pretty standard. I ordered a tilapia with shrimp and I needed a kni
Après :     ['impress', 'food', 'order', 'shrimp', 'need', 'knife', 'cut', 'fish', 'taste', 'prebreade']

Avant :     This used to be one of my favorite restaurant chains to eat at. The last three experiences left some
Après :     ['use', 'restaurant', 'chain', 'eat', 'experience', 'leave_desire', 'manager', 'decide', 'hold', 'meeting']

Avant :     Worst fried shrimp ever. The batter was so strange tasting. Almost like flour and water only was use
Après :     ['fry', 'shrimp', 'batter', 'tasting', 'flour', 'water', 'use', 'bread', 'shrimp', 'think']

Avant :     This place is really bad. Overpriced and over cooked steaks makes for a bad combo. Deep fried over c
Après :     ['place', 'overprice', 'cook', 'steak', 'make', 'combo', 'fry', 'country', 'fry', 'steak']

Avant :     I was in Tuscon for work for a couple days. I was craving pasta. I knew Claim Jumper served pasta so
Après :     ['tuscon', 'work', 'couple', 'day', 'craving', 'pasta', 'know', 'claim', 'serve', 'pasta']

Avant :     I've been here twice.  Once for my birthday and the other time was just on a whim.  The servers were
Après :     ['birthday', 'time', 'whim', 'server', 'food', 'try', 'bbq', 'person', 'hit', 'spot']

Avant :     Under staffed is being kind. Received 2 checks that were both wrong. Waitress was very nice but over
Après :     ['staff', 'receive', 'check', 'waitress', 'overwelme', 'lot', 'table', 'food', 'wife', 'wine']

Avant :     To bad you could not find seating for my Wife and Myself- BJ's down Broadway had no problem taking o
Après :     ['find', 'seat', 'wife', 'problem', 'take', 'money']

Avant :     Way downhill. Atmosphere is interesting, basically a big lodge. Service was poor, or easier couldn't
Après :     ['way', 'atmosphere', 'lodge', 'service', 'task', 'take', 'hour_half', 'dinner', 'wait', 'table']

Avant :     In all honesty this place was good in the first couple years after opening. Since then it has gone s
Après :     ['place', 'couple', 'year', 'opening', 'price', 'increase', 'year', 'time', 'service', 'min']

Avant :     OVERPRICED SUBPAR chain restaurant food. Lunch prices are too high and there is no happy hour my bee
Après :     ['overprice', 'chain', 'restaurant', 'food', 'lunch', 'price', 'hour', 'beer', 'order', 'mess']

Avant :     Gets two stars because the service was great and staff was very friendly, food was not very good.. m
Après :     ['star', 'service', 'staff', 'food', 'come', 'day', 'eat', 'order', 'item', 'husband']

Avant :     $20 for a Chimay? Toxic fumes from the non-stop traffic on Florida Avenue. Hyde Park wannabe/oxygen 
Après :     ['chimay', 'fume', 'stop', 'traffic', 'park', 'wannabe', 'oxygen', 'thief', 'hang', 'hear']

Avant :     The food; ok, the service: BAD.  Walked in the the cafe with a friend and ordered 2 indie grilled ch
Après :     ['food', 'service', 'walk', 'cafe', 'friend', 'order', 'grill_cheese', 'pear', 'spice', 'honey']

Avant :     I had had the "Randy" sandwich.  Last time I was here it was great. Today it was terrible.  I let a 
Après :     ['sandwich', 'time', 'today', 'let', 'lady', 'know', 'say', 'luck', 'nest', 'time']

Avant :     Might have been a decent place but the 3 ladies working the food section were by far the rudest wait
Après :     ['place', 'lady', 'work', 'food', 'section', 'rudest', 'waitress', 'cook', 'staff', 'encounter']

Avant :     Suppose you take 1 part pretentious hipsters, 1 part great beer selection, and 2 parts mediocre food
Après :     ['suppose', 'take', 'part', 'hipster', 'part', 'beer_selection', 'part', 'food', 'option', 'grind']

Avant :     Cant rate it ZERO, but it fully deserves it.  I rated this filthy dump a couple years ago.  Nothing 
Après :     ['rate', 'deserve', 'rate', 'dump', 'couple', 'year', 'change', 'people', 'place', 'order']

Avant :     Don't go to this location unless you are starving and have no other options! And even then be carefu
Après :     ['location', 'starve', 'option', 'mold', 'gunk', 'soda', 'dispenser', 'order', 'repeat', 'time']

Avant :     Co-workers and I placed a big order. The meal in particular was an apple cinnamon pancake with eggs 
Après :     ['worker', 'place', 'order', 'meal', 'apple', 'cinnamon', 'pancake', 'egg_bacon', 'make', 'thr']

Avant :     Service almost non-existent.  Breakfast was cooked too long and came out a little crispy!
Après :     ['service', 'breakfast', 'cook', 'come', 'crispy']

Avant :     Not a great experience. There were 2 of us and we're told it would be a 15 minute wait, which is exp
Après :     ['experience', 'tell', 'minute', 'wait', 'expect', 'morning', 'wait_minute', 'sit', 'notice', 'table']

Avant :     This establishment is disorganized and has terrible customer service. After waiting 30 mins to be se
Après :     ['establishment', 'disorganize', 'customer_service', 'waiting', 'min', 'seat', 'sit', 'min', 'waiter', 'help']

Avant :     Went in for lunch today around 11:30,   they were not very busy.. the service was HORRIBLE and the f
Après :     ['lunch_today', 'service', 'food', 'come', 'order', 'wrong', 'ice_tea', 'server', 'response', 'people_work']

Avant :     Second worst restaurant experience I've ever had. I waited 10 minutes before a waiter (who smelled h
Après :     ['restaurant', 'experience', 'wait_minute', 'waiter', 'smell', 'acknowledge', 'ask', 'server', 'drink', 'waiter']

Avant :     I tried to call in an order for pick up an hour and fifteen minutes before they closed and sat on ho
Après :     ['try', 'call', 'order', 'pick', 'hour', 'minute', 'close', 'sit', 'hold', 'hang']

Avant :     I would not recommend this breakfast place to anyone. Food was ok, nothing special. Service was terr
Après :     ['recommend', 'breakfast', 'place', 'food', 'service', 'restaurant', 'seem', 'speck', 'water', 'waitress']

Avant :     Edible at best. Greatly disappointed in everything I ordered. Chicken and broccoli,  won ton soup,  
Après :     ['disappoint', 'order', 'chicken', 'ton', 'soup', 'dumpling', 'pork', 'mushroom', 'seem', 'day']

Avant :     Feel like I paid for crap quality. General tos was okay at best. Shrimp spring roll had maybe 1 tiny
Après :     ['feel', 'pay', 'crap', 'quality', 'tos', 'shrimp', 'spring_roll', 'cut', 'shrimp', 'pork']

Avant :     Ordered two combination dinners last week. General Tso's chicken and roast pork lo mein. The General
Après :     ['order', 'combination', 'dinner', 'week', 'dinner', 'roast_pork', 'stringy', 'pork', 'strip', 'throw']

Avant :     This use to be one of my favorite places for livers & gizzards, But now their food is too too too sa
Après :     ['use', 'place', 'liver', 'gizzard', 'food', 'try', 'give', 'people', 'blood', 'pressure']

Avant :     No idea why this place is so highly-favoured by other people - I've had loads of great, authentic an
Après :     ['idea', 'place', 'favour', 'people', 'load', 'food', 'place', 'place', 'box', 'set']

Avant :     One star
 for a nice chef.
The glass display have precooked shrimps, imitation crabmeat premixed, di
Après :     ['star', 'chef', 'glass', 'display', 'precook', 'shrimp', 'imitation', 'crabmeat', 'premixe', 'type']

Avant :     After reading the reviews, we decided to go there. But the restaurant is not that impressive at all.
Après :     ['read_review', 'decide', 'restaurant', 'place', 'space', 'talbe', 'tide', 'food', 'order', 'edemame']

Avant :     Hard to rate:  Sushi good, maybe great, miso great,

pad thai??? not so much.  Either this place can
Après :     ['rate', 'miso', 'pad_thai', 'place', 'make', 'pad_thai', 'place', 'eat', 'make', 'pad']

Avant :     I really wanted to love this place but I don't :(  I'm giving them two stars because I liked their f
Après :     ['want', 'love', 'place', 'give_star', 'like', 'fry_rice', 'order', 'time', 'need', 'option']

Avant :     Just ordered a Triple Delight (Chef's Special). It was supposed to contain chicken, beef and shrimp.
Après :     ['order', 'chef', 'suppose', 'contain', 'chicken', 'beef', 'shrimp', 'contain', 'chicken', 'delight']

Avant :     Went here for lunch based on some of the reviews here.  I was not impressed.  I ordered the bento bo
Après :     ['lunch', 'base_review', 'impress', 'order', 'bento', 'box', 'beef', 'taste', 'salt', 'water']

Avant :     Look, Chinese food in Indianapolis is bad.  Really bad.  But I love Chinese food, so I try a new pla
Après :     ['look', 'food', 'indianapoli', 'love', 'food', 'try', 'place', 'open', 'order', 'delivery']

Avant :     The food was tasty but the portion size for the price was small.A group of 6 wanted to sit together 
Après :     ['food', 'portion_size', 'price', 'group', 'want', 'sit', 'leave', 'desert', 'leave', 'plan']

Avant :     Way unimpressed with this place. 

I ordered a sandwich that came with brisket, pulled pork and chee
Après :     ['way', 'place', 'order', 'sandwich', 'come', 'brisket_pull', 'pork', 'cheese', 'cheese', 'sin']

Avant :     1 star was a gift thanks to how they used to be, service has gotten worse and worse and the quality 
Après :     ['use', 'service', 'quality', 'food', 'tank', 'min', 'food', 'come', 'meal', 'time']

Avant :     Small place in Doylestown, seems they have a hard time handling big lunch crowd. 3 people working on
Après :     ['place', 'doylestown', 'seem', 'time', 'handle', 'lunch', 'crowd', 'people_work', 'lunch', 'crowd']

Avant :     I had takeout from here yesterday for the 2nd time. The first time, a few weeks ago, I had an egg ro
Après :     ['takeout', 'yesterday', 'nd', 'time', 'time', 'week', 'egg_roll', 'veggie', 'enjoy', 'takeout']

Avant :     Party of four, the female bartender had a HORRIBLE ATTITUDE. She complained openly how thin her pati
Après :     ['party', 'bartender', 'attitude', 'complain', 'patience', 'complain', 'bartender', 'people', 'nerve', 'order']

Avant :     First impression not worth the hype of reviews. Waited for about 10minutes after I was seated before
Après :     ['impression', 'hype', 'review', 'wait_minute', 'seat', 'come', 'offer', 'drink', 'person', 'bartender']

Avant :     Oh boy, where to begin?
Sat and ignored. Poor to very poor attention given on a Monday night. Was ou
Après :     ['begin', 'ignore', 'attention', 'give', 'night', 'waitress', 'minute', 'wait', 'appetizer', 'arrive']

Avant :     Initially satisfied. Attempted to secure some other work. Cancelled 3 appointments. Then the invoice
Après :     ['attempt', 'work', 'cancel', 'appointment', 'plan', 'show', 'mail', 'month', 'fee', 'attach']

Avant :     Mediocre food. very slow service , our food came one by one Within 10 to 15 minutes of each other. R
Après :     ['food', 'service', 'food', 'come', 'minute', 'server', 'take', 'time', 'bill', 'lot']

Avant :     The good... Sangria and Guacamole, but way overpriced compared to other Mex Restaurants in Tucson
Th
Après :     ['way_overprice', 'compare', 'mex', 'restaurant', 'plate', 'overprice', 'rest', 'room', 'mark', 'exit']

Avant :     Needs Work! Start by putting a sign up... Where are we? Where is the restroom? This menu is confusin
Après :     ['need', 'work', 'start', 'put', 'sign', 'menu', 'confuse', 'bartender', 'inform', 'make']

Avant :     Came here for a late lunch on a weekday. The place looks great, I love the decor and the general the
Après :     ['come', 'place', 'look', 'love', 'decor', 'theme', 'service', 'leave_desire', 'wish', 'staff']

Avant :     The server was rude and all the food had so much salt on it I could barely eat it. Even the salad wa
Après :     ['server', 'food', 'salt', 'eat', 'salad', 'cover', 'salt']

Avant :     Their tacos suck and really long wait for food which doesn't make sense to me because the meat taste
Après :     ['suck', 'wait', 'food', 'make_sense', 'meat', 'taste', 'cook', 'month', 'store', 'freezer']

Avant :     I had much higher expectations. A couple flies were bothering me the whole time, so this place could
Après :     ['expectation', 'couple', 'fly', 'bother', 'time', 'place', 'use', 'flytrap', 'try', 'signature']

Avant :     Great spot and ambience, but the food was such a disappointment.  This is the second time we have be
Après :     ['spot', 'ambience', 'food', 'disappointment', 'time', 'open', 'bit', 'visit', 'chalk', 'open']

Avant :     The food was a little dry. Not very good. We all ordered drinks and they came out tasting like strai
Après :     ['food', 'order', 'drink', 'come', 'taste', 'alcohol']

Avant :     not good at all, sad face. everything on the menu sounds delicious, with a lineup of ingredients tha
Après :     ['face', 'menu', 'sound', 'lineup', 'ingredient', 'leave', 'wonder', 'appetizer', 'chip', 'entree']

Avant :     Mediocre food and drink....had high hopes but disappointed ...ordered the Costillas en Tomatillo ...
Après :     ['food', 'drink', 'hope', 'order', 'costilla', 'rib', 'potato', 'gratin', 'existent', 'poca']

Avant :     Excellent ambience and attention to detail. I wish they had put that much thought into their food. B
Après :     ['ambience', 'attention_detail', 'wish', 'put', 'think', 'food', 'time', 'try', 'love', 'food']

Avant :     Perhaps my friend and I are too much of a traditionalist but the Vietnamese,  Japanese, and Mexican 
Après :     ['friend', 'traditionalist', 'fusion', 'happen', 'seaweed', 'wrap', 'make', 'chewy', 'bite', 'tuna']

Avant :     I really liked this place.  It is a shame that they offended my wife by letting her hear two of the 
Après :     ['like', 'place', 'shame', 'offend', 'wife', 'let', 'hear', 'employee', 'make', 'fun']

Avant :     This place is confusing. It has two separate dining areas seperated by a half wall. When we walked i
Après :     ['place', 'confuse', 'dining_area', 'seperate', 'wall', 'walk', 'ask', 'order', 'dictate', 'sit']

Avant :     the service is really bad. 
There were 4 or 5 tables when I came, not busy at all , but the waitress
Après :     ['service', 'table', 'come', 'waitress', 'give', 'menu', 'walk', 'word', 'wait_min', 'ask']

Avant :     Food was good.  Waitress was attentive - probably too attentive.  She brought us the wrong check - o
Après :     ['food', 'waitress', 'attentive', 'attentive', 'bring', 'check', 'course', 'figure', 'peeve', 'opera']

Avant :     I so wish I could have something better to say. This is my neighborhood restaurant and, I'm sorry, b
Après :     ['wish', 'say', 'neighborhood', 'restaurant', 'crab_cake', 'guess', 'use', 'flour', 'bind', 'cook']

Avant :     I've been wanting to try this place for a few months, but I was nervous bc of the varying reviews.. 
Après :     ['want', 'try', 'place', 'month', 'vary', 'review', 'review', 'decor', 'house', 'dress']

Avant :     Ordered 2 coffees and a muffin. Got one coffee and the muffin 20 minutes before the second coffee. W
Après :     ['order', 'coffee', 'muffin', 'minute', 'coffee', 'watch', 'people', 'come', 'drink', 'continue']

Avant :     Arrived at 2:18,  they advertised they close at 230.  They turned us away,  1st and last time to thi
Après :     ['arrive', 'advertise', 'turn', 'time', 'place']

Avant :     I've noticed that the quality of the food is starting to slack a little bit. My mom ordered spaghett
Après :     ['quality', 'food', 'start', 'slack', 'bit', 'order', 'spaghetti_meatball', 'sauce', 'look', 'taste']

Avant :     Service was good.  Ambience good.  Better food can be had elsewhere. Priced too high for taste, qual
Après :     ['service', 'ambience', 'food', 'price', 'taste', 'quality_quantity']

Avant :     Decent food, poor service.  Didn't receive part of our meal, and we were  charged for it.  Server so
Après :     ['food', 'service', 'receive', 'part', 'meal', 'charge', 'server', 'talk', 'top', 'forget']

Avant :     My dining experience did not equal the cost.  Let me be specific.  My filet was no better than the f
Après :     ['dining_experience', 'cost', 'let', 'filet', 'half', 'rest', 'server', 'interrupt', 'table', 'serve']

Avant :     Met here with friends . Had reservations , didn't get seated until 1j hour after my reservation. The
Après :     ['meet_friend', 'reservation', 'seat', 'hour', 'reservation', 'steak', 'tasteless', 'price', 'steak', 'house']

Avant :     Lunch today was a terrible experience at Firebirds.  
First, the service was horrible and there was 
Après :     ['lunch_today', 'experience', 'firebird', 'service', 'restaurant', 'lobster', 'dip', 'chip', 'time', 'upsetting']

Avant :     Service was so poor we didn't even get to the food. New Years Day 2017 around 7:30 and we get seated
Après :     ['service', 'food', 'year', 'day', 'seat', 'water', 'waiter', 'introduce', 'say', 'server']

Avant :     Can't speak about the food, since we never made it that far. We were seated (near the restrooms/kitc
Après :     ['speak', 'food', 'make', 'seat', 'restroom', 'kitchen', 'twosome', 'enter', 'seat', 'window']

Avant :     I didn't care for this place at all. I heard that food quality has drastically decreased since Katri
Après :     ['care', 'place', 'hear', 'food', 'quality', 'decrease', 'use', 'rib', 'fish', 'underseasone']

Avant :     Was excited for some good food until I actually tried it. Nothing was fresh. Had gumbo and fried shr
Après :     ['excite', 'food', 'try', 'gumbo', 'fry', 'shrimp', 'tell', 'flavor', 'cheese', 'surprise']

Avant :     Ate here prior to Hurricane Katrina and it was great. We returned somewhat disappointed. I had the m
Après :     ['eat', 'return', 'meatloaf', 'feature', 'travel', 'channel', 'season', 'salt', 'mustard', 'green']

Avant :     Perfectly seasoned meatloaf. Too bad it was served cold w cold coffee.
Après :     ['season', 'meatloaf', 'serve', 'coffee']

Avant :     Horrible experience tonight our service never checked on us. We had to ask the host for boxes, napki
Après :     ['experience', 'tonight', 'service', 'check', 'ask', 'host', 'box', 'napkin', 'drink', 'food']

Avant :     For all the New Orleans food I had...this place was extra regular. I must have asked Tommy waitress 
Après :     ['food', 'place', 'ask', 'drink', 'menu', 'time', 'menu', 'look', 'end', 'cheese']

Avant :     The food was good, not great. If you're in NOLA, please learn to make some gumbo. It was watery and 
Après :     ['food', 'learn', 'make', 'gumbo', 'service', 'find', 'place', 'frenchman']

Avant :     Very disappointing. You sit down and they have an abbreviated menu they are out if thing. The meatlo
Après :     ['sit', 'abbreviate', 'menu', 'thing', 'meatloaf', 'say', 'travel', 'channel', 'joke', 'suckere']

Avant :     Satisfactory  service, but was disappointed that the food came out TOO quick.  Main dishes were good
Après :     ['service', 'disappoint', 'food', 'come', 'dish', 'stuff', 'pepper', 'side', 'microwave', 'cheese']

Avant :     Two words. Real bad,   Yelp is telling me to.say more. But really, it's real bad.   Yelp is still sa
Après :     ['word', 'yelp', 'telling', 'say', 'yelp', 'say', 'review', 'way', 'say', 'suck']

Avant :     This place was packed, so we thought it would be really good.  Unfortunately, Busy so thought it'd b
Après :     ['place', 'pack', 'thought', 'think', 'service', 'stuff', 'pepper', 'cornbread', 'cornbread', 'bland']

Avant :     Disappointed We visited on April 1 2018 Ordered stuffed crab with red beans and collards The crab ca
Après :     ['visit', 'order', 'stuff', 'crab', 'collard', 'crab', 'come', 'tin', 'shell', 'look']

Avant :     I don't get the fuss. My etoufee was pretty good, but mac & cheese had little flavor, fried pickles 
Après :     ['cheese', 'flavor', 'fry_pickle', 'batter', 'friend', 'love', 'think', 'want', 'fry', 'food']

Avant :     I preface this by saying I came in at 9:30pm which is 30 min before the place closed.  I had ordered
Après :     ['say', 'come', 'close', 'order', 'taste', 'guess', 'slip', 'year']

Avant :     I stopped in and made a reservation, but I am horrified by the service I received. First of all, the
Après :     ['stop', 'make_reservation', 'service', 'receive', 'take', 'hour', 'seat', 'tell', 'wait_minute', 'seat']

Avant :     This place is laughable. 25-30 minute wait ended up being an hour. We finally sat down and waited an
Après :     ['place', 'minute', 'wait', 'end', 'hour', 'sit', 'wait_minute', 'serve', 'table', 'restaurant']

Avant :     Over rated and resting on its Laurels. To have a store adjacent to restaurant is part of the "franch
Après :     ['rate', 'rest', 'laurel', 'store', 'restaurant', 'part', 'franchising', 'approach', 'food', 'establishment']

Avant :     Worst fried chicken and collard greens. Cornbread made me want to cry. Catfish was decent..
Après :     ['fry', 'cornbread', 'make', 'cry', 'catfish', 'decent']

Avant :     Bad taste, bad service, and over priced for the amount of food that was on the plate.  The oyster pl
Après :     ['taste', 'service', 'price', 'amount', 'food', 'plate', 'oyster', 'plate', 'food', 'lack_flavor']

Avant :     Why is the food so bland? I asked myself over and over again. I've been here before and the food was
Après :     ['food', 'bland', 'ask', 'food', 'par', 'expect', 'food', 'experience', 'fry', 'chicken']

Avant :     Disappointing. I was looking forward to the catfish after reading good reviews about it. Didn't real
Après :     ['look', 'catfish', 'read_review', 'realize', 'pay', 'fish', 'lemon', 'sauce', 'server', 'offer']

Avant :     I would never go to the place again. The food is processed right out of the can. Chicken wings have 
Après :     ['place', 'food', 'process', 'chicken', 'wing', 'wing', 'stuff', 'crab_cake', 'save_money', 'waste_time']

Avant :     First time in New Orleans, walked in here the ambiance was nice there was nice music on the streets 
Après :     ['time', 'walk', 'music', 'street', 'food', 'come', 'recommend', 'cheese', 'taste', 'green']

Avant :     Food is good. But service is one of the worse I've ever had. I highly doubt we will be back again.
Après :     ['food', 'service', 'doubt']

Avant :     Boo hoo what a dissapointment. 45 min wait to get in....45 min to get our order taken 45 min to get 
Après :     ['wait', 'order', 'take', 'bland', 'cheese', 'look', 'waste_time', 'money']

Avant :     It pains me to write a review update, for a restaurant I have been to before (where I had a memorabl
Après :     ['pain', 'write_review', 'update', 'restaurant', 'experience', 'reduce', 'rate', 'time', 'year', 'time']

Avant :     Food is ok, not too bad, not too good.  They do offer a vegetarian plate with choice of four side di
Après :     ['food', 'offer', 'plate', 'choice', 'side', 'dish', 'ask', 'make', 'meat', 'dare']

Avant :     Went here on a recommendation. Looked promising since all the locals go here. 4 of us all did not ca
Après :     ['recommendation', 'look', 'promise', 'local', 'care', 'dish', 'po_boy', 'bit', 'bland']

Avant :     My Uber driver suggested The Praline Connection and suggested the smothered pork chop. No Bueno. It 
Après :     ['suggest', 'praline', 'connection', 'suggest', 'smother', 'pork', 'bueno', 'pork_chop', 'bread', 'liking']

Avant :     This is mostly a "tourist trap". We, locals can appreciate the good places from the no so good, in t
Après :     ['tourist_trap', 'local', 'appreciate', 'place', 'area', 'wife', 'want', 'try', 'fry', 'chicken']

Avant :     Went here and ordered the fried chicken with macaroni and cheese and collard greens. Now I know you 
Après :     ['order', 'fry', 'green', 'know', 'rely', 'restaurant', 'cheese', 'serve', 'box', 'cheese']

Avant :     Slow Satturday afternoon, maybe 4 tables in the place. 3/21, my birthday.

Seated ourselves, given m
Après :     ['afternoon', 'table', 'place', 'birthday', 'seat', 'give', 'menu', 'speak', 'offer', 'drink']

Avant :     Service was very very slow and it wasn't even a busy day. Food was nothing special considering most 
Après :     ['service_slow', 'day', 'food', 'consider', 'place', 'try', 'quarter', 'try', 'substitute', 'rice_bean']

Avant :     I came here on a recommendation. Well, I was a little disappointed. First of all, our waiter was RUD
Après :     ['come', 'recommendation', 'waiter', 'rude', 'mumble', 'seem', 'issue', 'point', 'waiter', 'pull']

Avant :     ambiance 7/10
service 7/10
softshell crab Po' boy   2/10 essentially felt like bread crumbs in bread
Après :     ['ambiance', 'crab', 'boy', 'feel', 'bread', 'crumb', 'bread', 'sandwich', 'sea', 'food']

Avant :     I had heard from the locals this was a great place to eat. 
Well perhaps I came the wrong day becaus
Après :     ['hear', 'local', 'place', 'eat', 'come', 'day', 'enjoy', 'meal', 'orde', 'catfish']

Avant :     Wack-ass cornball waiter tried to tell me they were out of po boys. I protested but he was insistent
Après :     ['wack', 'try', 'tell', 'po_boy', 'protest', 'cheese', 'taste', 'leftover', 'green', 'bland']

Avant :     To be quite frank, the service my family and I revived on the 3rd of April, was horrendous. This pla
Après :     ['family', 'revive', 'place', 'term', 'restaurant', 'try', 'experience', 'bistro', 'care', 'quality']

Avant :     Very poor customer service and rude wait staff! Told to "Wait outside" with our party when only 5 pe
Après :     ['customer_service', 'tell', 'wait', 'party', 'people', 'appear', 'care', 'business', 'waiting', 'sun']

Avant :     We were really looking forward to some good ole food on Frenchmen one evening when we came across th
Après :     ['look', 'ole', 'food', 'frenchman', 'evening', 'come', 'place', 'night', 'spot', 'food']

Avant :     This place is way too overrated concerning the food as I did not try the pralines. The gumbo was so-
Après :     ['place', 'way', 'concern', 'food', 'try', 'praline', 'gumbo', 'bean_rice', 'taste', 'refrie_bean']

Avant :     Have never been in here and I really wanted to but several things prevented me from stopping it. I t
Après :     ['want', 'thing', 'prevent', 'stop', 'think', 'location', 'goodbye', 'location', 'close', 'way']

Avant :     Cashier was rude and black and blue salad was partially frozen. Mostly brown pieces of lettuce and a
Après :     ['salad', 'freeze', 'piece', 'lettuce', 'thank', 'steak', 'quality', 'manager', 'oversee']

Avant :     The food is pretty darn good but the service is awful. I work close and have taken my team here many
Après :     ['food', 'darn', 'service', 'work', 'take', 'team', 'time', 'convenience', 'continue', 'service']

Avant :     Trash....... I would never come back EVER again. I'm trying not to be a harsh critic because the ser
Après :     ['trash', 'come', 'try', 'critic', 'service', 'infact', 'pro', 'food', 'service', 'con']

Avant :     If you don't want to vomit and get diareah for three days , please consider not to come here. We got
Après :     ['want', 'vomit', 'day', 'consider', 'come', 'cater', 'party', 'guest', 'night', 'contact']

Avant :     Selection is eclectic but sort of contains misfits from each category. Prices are more consistent wi
Après :     ['sort', 'contain', 'misfit', 'category', 'price', 'ambience', 'decoration', 'want', 'place', 'beer']

Avant :     I never liked their food; their Pad Thai sucked; I'm not sorry to learn that they closed. I AM happy
Après :     ['like', 'food', 'pad', 'suck', 'learn', 'close', 'location', 'house', 'com', 'grove']

Avant :     When this place first opened we went. We loved the Greek salad and gyros. It was very fresh tasting 
Après :     ['place', 'open', 'love', 'greek_salad', 'taste', 'place', 'cute', 'night', 'table', 'lamp']

Avant :     Very disappointing.  We ordered 2 appetizers and 2 pizzas and after an hour sitting and waiting noth
Après :     ['order', 'appetizer', 'hour', 'sit', 'wait', 'come', 'ask', 'appetizer', 'say', 'take']

Avant :     Spent way too much money to get actually spoiled food delivered to us. Ordered a huge order, over 50
Après :     ['spend', 'way', 'money', 'spoil', 'food', 'deliver', 'order', 'order', 'return', 'location']

Avant :     Food substandard. Not as good as the other Carmelita's. Carne asada was inedible, impossible to chew
Après :     ['food', 'carmelita', 'chew', 'cut', 'knife', 'service', 'table', 'silverware', 'dry', 'food']

Avant :     Somehow this carmalitas is not as good as the one up the street on east bay. Not quite as fresh and 
Après :     ['carmalita', 'street', 'seem']

Avant :     Had dinner last night ordered the chimchanga. It wasn't crunchy it was like a burrito and the salsa 
Après :     ['dinner', 'night', 'order', 'chimchanga', 'chip']

Avant :     My wife and 3 coworks went to lunch here today. 3 out of the 4 got their card information stolen. So
Après :     ['lunch_today', 'card', 'information', 'steal', 'charge', 'bank', 'call', 'inform', 'transaction', 'wait']

Avant :     I knew things weren't looking good when I saw chili cheese fries on the menu. There are two things y
Après :     ['know', 'thing', 'look', 'see', 'cheese', 'fry', 'menu', 'thing', 'tell', 'quality']

Avant :     This Mcdonalds is ok for the most part via drive thru. But don't waste your time going inside...the 
Après :     ['mcdonald', 'part', 'drive', 'waste_time', 'drink', 'area', 'look', 'fall', 'ventilation', 'suck']

Avant :     Horrible customer service! Placed a very simple order & the cashier was so confused. Then took 5 min
Après :     ['customer_service', 'place', 'order', 'cashier', 'confuse', 'take', 'minute', 'try', 'order', 'need']

Avant :     The pictures of the wor wonton looked really good, sadly, the actual soup didn't look as appealing, 
Après :     ['look', 'soup', 'look', 'appeal', 'flavour', 'onion', 'cake', 'good', 'order', 'beef']

Avant :     We had two items on the menu.  Lettuce wraps and Almond Chicken.  We came with a coupon and found it
Après :     ['item', 'lettuce_wrap', 'chicken', 'come', 'coupon', 'find', 'use', 'item', 'chicken', 'rice']

Avant :     I was truly disappointed at the serving sizes and also the quality of the food for the price. Also y
Après :     ['disappoint', 'serve', 'size', 'quality', 'food', 'price', 'see', 'grime', 'floor', 'establishment']

Avant :     I implore everyone to try Mae's Chinese across the street on Harrison behind the Circle K. Mae's env
Après :     ['implore', 'try', 'street', 'harrison', 'environment', 'welcome', 'light', 'food', 'taste', 'greasy']

Avant :     I'm stunned at the good reviews for this place. The General Tso Chicken was horrible. It was dry and
Après :     ['review', 'place', 'chewy', 'come', 'rice', 'pork', 'spend', 'food', 'make', 'yelp']

Avant :     Dolce is now closed...locks have been changed...try Vinnie's pizza or Oaks Italian Deli around the c
Après :     ['lock', 'change', 'try', 'pizza', 'oak', 'deli', 'corner']

Avant :     Is this place even open anymore? I live literally a block around the corner and I walk by here a min
Après :     ['place', 'live_block', 'corner', 'walk', 'day', 'time', 'post', 'hour', 'say', 'month']

Avant :     place is poor shit, owner fed me some bullshit line about how he is filling the void in the area, wh
Après :     ['place', 'shit', 'owner', 'feed', 'bullshit', 'line', 'fill', 'area', 'ask', 'coffee']

Avant :     Poor service. Bad quality chicken. Simply rude and not worth the southern fare chicken. I've had so 
Après :     ['service', 'quality', 'chicken', 'rude', 'chicken']

Avant :     I saw that they had new management and decided to give them a try.  To go order: the server told me 
Après :     ['see', 'management', 'decide', 'give', 'try', 'order', 'server', 'tell', 'take', 'care']

Avant :     If you have a few hours to spare for lunch, then this might be the place for you. We were sat at a d
Après :     ['hour', 'lunch', 'place', 'sit', 'table', 'wait_min', 'opportunity', 'order', 'beverage', 'see']

Avant :     OMG!! what a disappointment today was, I have been so excited to see Rembrandt's reopen after a few 
Après :     ['omg', 'disappointment', 'today', 'see', 'rembrandt', 'month', 'remodel', 'think', 'owner', 'want']

Avant :     This is our first visit since the remodel.  The atmosphere is much more sterile and loud.   We order
Après :     ['visit', 'atmosphere', 'loud', 'order', 'slice', 'price', 'coffee', 'menu', 'option', 'pre']

Avant :     Super disappointed.  Our waitress seemed high on something. She was sweet, but couldn't retain any i
Après :     ['waitress', 'seem', 'retain', 'information', 'order', 'bottle_wine', 'serve', 'front', 'trust', 'ask']

Avant :     Sad, very sad!  What happened to charm it was b4?
The place is cold, noisy, and so sterile. Not a pl
Après :     ['happen', 'charm', 'place', 'place', 'want', 'visit']

Avant :     Used to be a favorite weekend stop, but haven't been in a while. Service was lacking. we paid for ou
Après :     ['use', 'weekend', 'stop', 'service', 'lacking', 'pay', 'food', 'cup_coffee', 'surprise', 'see']

Avant :     Ok place for coffee, but over priced for lunch or dinner.  You order at the front counter, similar t
Après :     ['place', 'coffee', 'price', 'lunch', 'dinner', 'order', 'counter', 'food', 'place', 'order']

Avant :     What a disappointment. We were excited about the reopening of this warm and inviting Eagle icon. Now
Après :     ['disappointment', 'excite', 'reopen', 'inviting', 'eagle', 'icon', 'uninviting', 'food', 'wood', 'awesome']

Avant :     Great looking place with tons of potential, but that's where it stops. We have been there several ti
Après :     ['look', 'place', 'ton', 'stop', 'time', 'hope', 'change', 'luck', 'visit', 'order']

Avant :     Not impressed. Asked for no jalapeños on Cubano yet apparently no one told the chef. Cheese platter 
Après :     ['ask', 'tell', 'chef', 'cheese', 'platter', 'present', 'cheese', 'bland', 'cracker', 'uninteresting']

Avant :     The hot coffee was on the lukewarm.  I don't  think this was a fluke since all the selections were t
Après :     ['coffee', 'lukewarm', 'think', 'fluke', 'selection', 'way', 'eat', 'bun', 'flavor', 'cook']

Avant :     Sat in the drive thru for over ten minutes as the only customer.  I never got my order taken even th
Après :     ['drive', 'minute', 'customer', 'order', 'take', 'try', 'attention', 'drive', 'worker', 'end']

Avant :     This place used to be good but it's gone down hill a lot lately. It's very small inside so you are h
Après :     ['place', 'use', 'hill', 'lot', 'press', 'dinner', 'wait', 'selection', 'limit', 'time']

Avant :     Rating is really a gift since I have no idea how the sushi is-because this place is closed more than
Après :     ['rating', 'gift', 'idea', 'close', 'seem', 'time', 'arrive', 'post', 'business', 'hour']

Avant :     This place is average at best, the decor atmosphere, and service were the only good things. The sush
Après :     ['place', 'atmosphere', 'service', 'thing', 'sushi', 'expensive', 'receive', 'ginger', 'wasabi', 'dry']

Avant :     My wife and I were in the mood for sushi and wanted to try this place since they have a happy hour.

Après :     ['want', 'try', 'place', 'hour', 'restaurant', 'inviting', 'look', 'place', 'bit', 'order']

Avant :     Horrible food.  Bread sticks totally dry. Mozzarella sticks more salty than salt itself. And the wor
Après :     ['food', 'bread', 'stick', 'dry', 'stick', 'salt', 'taste', 'give', 'try', 'star']

Avant :     DONT EAT HERE EVER!!!!  First, Not sure why this place is called NY Pizza - a Florida restaurant not
Après :     ['eat', 'place', 'call', 'restaurant', 'know', 'make', 'pizza', 'eat', 'say', 'food']

Avant :     I wish you could give zero stars or negative stars as a review. Completely unprofessional, horrible 
Après :     ['wish', 'give_star', 'star', 'review', 'service', 'waste_money']

Avant :     Deserves NO stars. Walked in to eat in. Young guy behind the counter freaks out cause I order a ham 
Après :     ['deserve_star', 'walk', 'eat', 'guy', 'counter', 'freak', 'cause', 'order', 'menu', 'want']

Avant :     ROACHES CRAWLING ON THE WALLS! Walk in and you'll slide all over the dirty, grease filled floors. OM
Après :     ['roach', 'crawl', 'wall', 'walk', 'slide', 'grease', 'fill', 'floor', 'omg']

Avant :     Super greasy pizza which usually I don't mind but it was salty and greasy! I wanted to order their s
Après :     ['pizza', 'mind', 'greasy', 'want', 'order', 'slice', 'slice', 'choice', 'order', 'pizza']

Avant :     Delivery was late, pizza and garlic knots were cold. It was very disappointing. And I love all pizza
Après :     ['delivery', 'pizza', 'garlic_knot', 'love', 'pizza']

Avant :     I wish I could provide feed back on the food but TWO HOURS LATER WE HAVEN'T RECEIVED OUR PIZZA. We'v
Après :     ['wish', 'provide', 'feed', 'food', 'hour', 'receive', 'pizza', 'call', 'starve', 'jet']

Avant :     What a joke of a place. Placed an online order around 2:30pm on a Saturday afternoon. After an hour 
Après :     ['joke', 'place', 'place', 'order', 'afternoon', 'hour', 'food', 'call', 'answer', 'cell_phone']

Avant :     Would give this joke of an establishment ZERO stars if possible! Just over an hour, understood it wa
Après :     ['give', 'joke', 'establishment', 'star', 'hour', 'understand', 'gasparilla', 'delivery', 'call', 'come']

Avant :     The worst delivery experience ever. They deliver a cold extremely soggy pizza. The box was even wet.
Après :     ['delivery', 'experience', 'deliver', 'pizza', 'box', 'call', 'say', 'deliver', 'guy', 'deliver']

Avant :     I joined Yelp just to express how horrified I was with this food. I stayed in the hotel Aloft and de
Après :     ['join', 'food', 'stay_hotel', 'decide', 'order', 'order', 'pizza', 'wing', 'say', 'understatement']

Avant :     Ordered a pizza while on business in Tampa, VERY RUDE, had to call back after one hour wait.  Pizza 
Après :     ['order', 'pizza', 'business', 'rude', 'call', 'hour', 'wait', 'pizza', 'show', 'wait']

Avant :     This place is discussing,  first off the girl who took order sounded like she was high, the pizza ca
Après :     ['place', 'discuss', 'girl', 'take', 'order', 'sound', 'pizza', 'come', 'cheese', 'mushroom']

Avant :     Not impressed. Def not like a Ny pizza place. Got a flier to this place under my hotel door while I 
Après :     ['def', 'pizza', 'place', 'flier', 'place', 'hotel', 'door', 'business', 'trip', 'decide']

Avant :     Hot Garbage. Don't make this mistake. Its already a sketchy looking place, and you know how a lot of
Après :     ['garbage', 'make_mistake', 'look', 'place', 'know', 'lot', 'place', 'food', 'stand', 'hill']

Avant :     After the classic coffeehouse Borsodi's closed in July of 1989 after 22 years in I.V., Javan's was t
Après :     ['borsodi', 'close', 'year', 'take', 'last', 'place', 'make', 'time', 'walk', 'remember']

Avant :     I always drove out of my way to eat at this location. Last 2 times the quality of the food is poor, 
Après :     ['drive', 'way', 'eat', 'location', 'time', 'quality', 'food', 'trash', 'run', 'employee']

Avant :     We came with 6 people at 858 pm on Saturday.. all young men working.. completely hating life being h
Après :     ['come', 'people', 'man', 'work', 'hate', 'life', 'bother', 'dinner', 'topping', 'tell']

Avant :     I much prefer the kirkwood and laclede locations. This place is so so stingy with the toppings. It's
Après :     ['prefer', 'kirkwood', 'laclede', 'location', 'place', 'topping', 'location', 'people_work']

Avant :     Was not impressed at all. I only gave it one star because the restaurant was actually clean. Employe
Après :     ['give_star', 'restaurant', 'clean', 'employee', 'seem_care', 'talk', 'work', 'food', 'come', 'fall']

Avant :     Small place tucked away on lower state.  I really like the order first then sit down aspect.  We had
Après :     ['place', 'tuck', 'state', 'order', 'sit', 'hash', 'toast', 'hash', 'chart', 'breakfast']

Avant :     Pros: new presentation 

Cons:
Limited menu
Ordinary food, certainly not 4-star 
Small portions (con
Après :     ['pro', 'presentation', 'con', 'menu', 'food', 'star', 'portion', 'consider', 'price', 'come']

Avant :     Ordered the French Toast and Eggs Benedict along with a cappuccino and regular coffee. The french to
Après :     ['order', 'toast', 'egg_benedict', 'cappuccino', 'coffee', 'toast', 'bit', 'egg_benedict', 'home', 'come']

Avant :     The service was friendly, but it took over 35 mins to receive two breakfast plates on Sunday afterno
Après :     ['service', 'take_min', 'receive', 'breakfast', 'plate', 'afternoon', 'pass', 'opportunity', 'walk', 'counter']

Avant :     These guys must be killin' it here on Yelp...but that's not hard to do if you know how to push socia
Après :     ['guy', 'killin', 'yelp', 'know', 'push', 'medium', 'button', 'food', 'price', 'stand_line']

Avant :     Oxymoronic name to begin with and I asked do you serve sparkling water with your Espresso and the la
Après :     ['name', 'begin', 'ask', 'serve', 'sparkle', 'water', 'say', 'ass', 'quality', 'inn']

Avant :     Such an awesome vibe and location. Great place to chill. Unfortunately, the service is awful. The ga
Après :     ['vibe', 'location', 'place', 'chill', 'service', 'point', 'sale', 'bang', 'hair', 'cold']

Avant :     Had a cappucino, that was pretty great. The coffeeshop was way too loud. They were blasting the musi
Après :     ['way', 'blast', 'music', 'make', 'study', 'conversation', 'staff', 'seem', 'mess', 'time']

Avant :     Awful noise and constant interruptions by staff to ask how things are going.  Ridiculous dancing. Et
Après :     ['noise', 'interruption', 'staff', 'ask', 'thing', 'dancing', 'headache', 'minute']

Avant :     Me and husband went there to have dinner expecting to just have a normal dinner it was completely ho
Après :     ['husband', 'dinner', 'expect', 'dinner', 'service', 'leave', 'tip', 'appetizer', 'come', 'stake']

Avant :     Sirloin, pulled pork & shrimp was average at best and mashed potatoes had dirt in it.
Après :     ['pull_pork', 'shrimp', 'potato', 'dirt']

Avant :     I understand it's "Family Friendly", but...
It's totally inappropriate they allow children to sit at
Après :     ['understand', 'family', 'allow', 'child', 'sit_bar', 'talk', 'digit', 'allow', 'bar', 'booth']

Avant :     Had an ok dinner came in an hour before the place closed on a Tuesday but might as well been ten min
Après :     ['dinner', 'come', 'hour', 'place', 'close', 'min', 'closing', 'staff', 'check', 'server']

Avant :     Was very disappointed. The filet medallion was not good, served on a bed of not very good rice. Fres
Après :     ['medallion', 'good', 'serve', 'bed', 'rice', 'vegetable', 'consist', 'carrot', 'broccoli', 'wine_selection']

Avant :     Has many beer choices that are only available at bar that were served in unclean glass.

Wine pour w
Après :     ['beer', 'choice', 'bar', 'serve', 'glass_wine', 'pour', 'price', 'restroom', 'appear', 'clean']

Avant :     Was there on a beautiful Friday a few weeks ago.  Patio is great.  Music was great but way too loud.
Après :     ['week', 'patio', 'music', 'way', 'shout', 'table', 'bar', 'service', 'ask', 'order']

Avant :     One star for the servers!!!  Four stars for the food, the beer, and the patio. If this place had ser
Après :     ['star', 'server', 'star', 'food', 'beer', 'patio', 'place', 'server', 'experience', 'great']

Avant :     The Horse has undesirable employees that don't present themselves very professionally. The owners ar
Après :     ['horse', 'employee', 'present', 'owner', 'rude', 'server', 'food', 'price', 'staff', 'silverware']

Avant :     Food is ok.  Service is extremely slow.   Go when you are not hungry!   Actually don't ever come.
Après :     ['food', 'service', 'come']

Avant :     We LOVE Beefs as a chain and we like to eat here regularly. This one is now close to us but we would
Après :     ['love', 'beef', 'chain', 'eat', 'drive', 'minute', 'place', 'menu', 'service', 'rest']

Avant :     Don't do it.. Pick any other Beefs you can but run away!!  We've been waiting 45 minutes for our foo
Après :     ['pick', 'beef', 'run', 'wait_minute', 'food', 'show', 'sign', 'come', 'place', 'consider']

Avant :     Don't go hungry they may not serve you. It is a great place to open a restaurant maybe some day some
Après :     ['serve', 'place', 'restaurant', 'day', 'manager', 'clueless', 'food', 'ok', 'wait']

Avant :     I was very excited to see that a Beef O Brady's was opening within walking distance. As a kid growin
Après :     ['see', 'beef', 'brady', 'opening', 'walk_distance', 'kid', 'grow', 'beef', 'night', 'look']

Avant :     Usually I love 4 rivers, the location in west Tampa.  Today was just horrible.   I was overcharged f
Après :     ['love', 'river', 'location', 'today', 'meal', 'explanation', 'set', 'burn', 'end', 'sandwich']

Avant :     We used to love this place, but not so much after tonight. Everything was cold, the ribs were dry, t
Après :     ['use_love', 'place', 'tonight', 'rib', 'portabella', 'mushroom', 'bother', 'include', 'bun', 'take']

Avant :     Placed an order for delivery through UberEats and for some reason the order was not delivered. Calle
Après :     ['place', 'order', 'delivery', 'ubereat', 'reason', 'order', 'deliver', 'call', 'restaurant', 'lady']

Avant :     First time at this location. We ordered takeout and when I arrived 12 people were standing outside t
Après :     ['time', 'location', 'order', 'takeout', 'arrive', 'people', 'stand', 'window', 'girl', 'serve']

Avant :     Made the drive here and attempted to go to lunch.  Never happened.  The parking situation is horribl
Après :     ['make', 'drive', 'attempt', 'lunch', 'happen', 'parking', 'situation', 'parking_spot', 'mark', 'car']

Avant :     For anyone who knows or really loves 'Q, this is not going to impress. Overpriced and under- flavore
Après :     ['know', 'love', 'impress', 'overprice', 'flavor', 'ride', 'try', 'city', 'mom_pop', 'location']

Avant :     Overrated! For a BBQ place, the portion sizes are crazy small. I got the messy pig, which is essenti
Après :     ['place', 'portion_size', 'pig', 'coleslaw', 'ounce', 'pull_pork', 'place', 'tampa']

Avant :     Great good but terrible parking!  If you don't want your car dinged then don't go here.  They purpos
Après :     ['parking', 'want', 'car', 'dinge', 'make', 'spot', 'expense', 'management', 'see', 'reconsider']

Avant :     We visited once and were very disappointed in my veggie pizza and my husband's sub sandwich.  The to
Après :     ['visit', 'veggie', 'pizza', 'husband', 'sub', 'sandwich', 'tomato_sauce', 'use', 'cheese', 'pizza']

Avant :     Decent salad bar but served in ancient wooden bowls, and the pizza is very bland. The almost non exi
Après :     ['salad', 'bar', 'serve', 'bowl', 'pizza', 'bland', 'existent', 'sauce', 'note', 'kid']

Avant :     I travel from Ventura to Santa Barbara on Saturdays and have some time to kill - watching football a
Après :     ['travel', 'time', 'kill', 'watch', 'football', 'eat', 'lunch', 'place', 'setup', 'sport']

Avant :     40 bucks for 2 sub par medium pizzas. The delivery guy didn't come to our house so we had to walk to
Après :     ['buck', 'sub', 'pizza', 'delivery_guy', 'come', 'house', 'walk', 'end', 'block', 'buy']

Avant :     Indian food has been one of my favorites for quite a few years. Still new to town, I took my family 
Après :     ['food', 'favorite', 'year', 'town', 'take', 'family', 'find', 'restaurant', 'coworker', 'tell']

Avant :     I went here for the lunch buffet.  As I have experienced with many lunch buffets, this one is honest
Après :     ['lunch_buffet', 'experience', 'lunch_buffet', 'think', 'year', 'leave', 'pool', 'water', 'plate', 'sauce']

Avant :     Poor at best. Had the odd mixtos taco plate. A few pieces of meat set in and inch deep of bubbling c
Après :     ['mixto', 'plate', 'piece', 'meat', 'set', 'inch', 'bubble', 'skillet', 'pick', 'meat']

Avant :     Service sucks!  We had a party of 12.  We couldn't get enough chips.  We got 1!  I ordered table sid
Après :     ['suck', 'chip', 'order', 'table', 'side', 'ask', 'chip', 'drink', 'waitress', 'keep']

Avant :     The food is not really authentically Mexican. I liked the cute idea of the little doll to put under 
Après :     ['food', 'like', 'idea', 'doll', 'put', 'pillow', 'scare', 'dream', 'relate', 'culture']

Avant :     Was there last night and the drinks were very small for the price. Nice decor but over priced menus 
Après :     ['night', 'drink', 'price', 'decor', 'price', 'mexican', 'think', 'stay']

Avant :     In no universe should enchiladas cost $25 and tacos $18. Who makes a chile relleno with goat cheese 
Après :     ['make', 'cheese', 'raisin', 'raisin', 'consider', 'food', 'money', 'burn', 'mean', 'give']

Avant :     Will not go back. I had high hopes. A friend recommended it and husband had had lunch here a few tim
Après :     ['hope', 'friend', 'recommend', 'husband', 'lunch', 'time', 'experience', 'waitress', 'flakey', 'drink']

Avant :     Beautiful setting but WAY overpriced for average Mexican food. Meat was dry and bland. Miguel's, Tac
Après :     ['set', 'way', 'food', 'meat', 'bus', 'poblano', 'server', 'husband', 'drink', 'order']

Avant :     Disappointed tonight.  Sat at the bar for 5 minutes.  No service.  No one said a word to me.  No ver
Après :     ['tonight', 'sit_bar', 'minute', 'service', 'say', 'word', 'acknowledgement', 'walk', 'give', 'business']

Avant :     presentation was put over authenticity. 

quality was good but average at best taste.

service was q
Après :     ['presentation', 'put', 'authenticity', 'quality', 'taste', 'service', 'wait_minute', 'waitress', 'greet', 'wait_minute']

Avant :     The only good thing was the service. the bartender was wonderful. My sangria was pretty good.

The f
Après :     ['thing', 'service', 'bartender', 'sangria', 'food', 'horrid', 'owner', 'lie', 'bean_rice', 'shrimp']

Avant :     Food is typical Steak 'n Shake.. My issue here is with the service. Awful, awful, awful. Took my kid
Après :     ['food', 'steak_shake', 'issue', 'service_awful', 'take', 'kid', 'breakfast', 'wait_minute', 'pancake', 'egg']

Avant :     This is the worst Steak n Shake I've ever been to. Waiting 5 minutes in the drive thru before they a
Après :     ['steak_shake', 'wait_minute', 'drive', 'acknowledge', 'try', 'give_benefit', 'doubt', 'slowness', 'couple', 'time']

Avant :     My God. We arrived at 6:17pm, ordered, and our food didn't show up until 7:36pm...cold.
Après :     ['arrive', 'order', 'food', 'show', 'pm']

Avant :     Absolutely pathetic drive through times. I live near by and every single time I'm in their drive thr
Après :     ['drive', 'time', 'live', 'time', 'drive', 'wait_minute', 'spend', 'minute', 'drive', 'trap']

Avant :     I have never been to such a slow drive thru, and that's comparing to other S&S's!! It's literally at
Après :     ['slow', 'drive', 'compare', 'minute', 'wait', 'order', 'pm', 'take', 'counter', 'wait']

Avant :     Same experience every time I go there. Food's totally fine. Terrible wait times and people who aren'
Après :     ['experience', 'time', 'food', 'wait', 'time', 'people', 'consider', 'wait', 'time', 'food']

Avant :     Dump! Without a doubt the FILTHIEST restaurant I've ever stepped into.  Slow night, but every table 
Après :     ['dump', 'doubt', 'restaurant', 'step', 'night', 'table', 'clean', 'want', 'seat', 'table']

Avant :     This is the slowest Steak N Shake I have ever been to. One night the drive thru took 25 minutes.
Après :     ['steak_shake', 'night', 'drive', 'take', 'minute']

Avant :     The food always comes out fresh but expect to wait in the drive-thru for at least 20+ minutes.  Stea
Après :     ['food', 'come', 'expect', 'wait', 'drive', 'minute', 'steak_shake', 'drive', 'line']

Avant :     Wouldn't eat there ever again, staff and manager are incompeten, slow and slower and can't get an or
Après :     ['eat', 'staff', 'manager', 'incompeten', 'order', 'life', 'count', 'mess', 'order', 'order']

Avant :     Wow. Because there was a "$60 order" ahead of me, there was nobody to take orders at the drive throu
Après :     ['order', 'take', 'order', 'drive', 'window', 'ask', 'meet', 'manager', 'talk', 'order']

Avant :     My husband and I stopped by to try Angelo's gyros and philly cheese steak. This visit we opted for j
Après :     ['husband', 'stop', 'try', 'angelo', 'gyro', 'cheese_steak', 'visit', 'opt', 'item', 'fry']

Avant :     Meh, a decent place to get your greasy food but they're pretty disorganized and will likely get your
Après :     ['meh', 'place', 'greasy', 'food', 'order', 'miss', 'pepper', 'decorate', 'place', 'place']

Avant :     Very disappointed being a Chicago born guy tried the Italian beef/sausage combo and was nothing like
Après :     ['bear', 'guy', 'try', 'beef', 'sausage', 'combo', 'bueno', 'beef', 'portillo', 'copycat']

Avant :     Very disappointed. This is more for the owner. We have eaten here before and it was good. We just we
Après :     ['owner', 'eat', 'child', 'soccer', 'refuse', 'make', 'close', 'ask', 'sandwich', 'change']

Avant :     Wow. $4 for a cup of coffee. The coffee was ok, definitely not worth $4. There are coffee shops near
Après :     ['cup_coffee', 'coffee', 'coffee_shop', 'coffee', 'price', 'people', 'shop', 'justify', 'spend', 'coffee']

Avant :     Great atmosphere, decent drinks.  However the management needs to train bartenders to look customers
Après :     ['atmosphere', 'drink', 'management', 'need', 'train', 'bartender', 'look', 'customer', 'eye', 'see']

Avant :     Service was slow, food was nothing to write home about and our server forgot our drinks several time
Après :     ['service', 'food', 'write_home', 'server', 'forgot', 'drink', 'time', 'say', 'skip', 'place']

Avant :     Do not order the burgers! The menu laughingly states that they have the best burgers in town: not ev
Après :     ['order', 'burger', 'state', 'burger', 'town', 'close', 'freeze', 'tasting', 'cook', 'puck']

Avant :     As I mentioned the food is very good. The service just keeps pissing me off. I get pizza takeout qui
Après :     ['mention', 'food', 'service', 'keep', 'piss', 'pizza', 'takeout', 'time', 'tell', 'serve']

Avant :     If you eat here with a baby you better hope they don't need to be changed!!!! How can a restaurant w
Après :     ['eat', 'baby', 'hope', 'need', 'change', 'restaurant', 'serve', 'family', 'change', 'station']

Avant :     I've eaten here 3 or 4 times and haven't had very good experiences. Food is well below average bar f
Après :     ['eat', 'time', 'experience', 'food', 'bar', 'food', 'seem', 'buy', 'end', 'ingredient']

Avant :     I hate to say it, but other reviews were right. Burgers were decent, onion rings inedible due to gre
Après :     ['hate', 'say', 'review', 'burger', 'onion_ring', 'grease', 'kid', 'fry', 'need', 'napkin']

Avant :     Good beer selection usually but unfortunately they serve some of the more desirable beers in ridicul
Après :     ['beer_selection', 'serve', 'beer', 'goblet', 'switch', 'request', 'pint', 'service']

Avant :     The service here is very slow. Servers could use a lot more training. Food takes a while to receive 
Après :     ['service', 'server', 'use', 'lot', 'training', 'food', 'take', 'ordering']

Avant :     Mediocre food. Service at hostess station needs lots of improvement. Layout of restaurant is terribl
Après :     ['food', 'service', 'hostess_station', 'need', 'lot', 'restaurant', 'server', 'training', 'need', 'food']

Avant :     This place is comparable to disney world.  All the bells and whistles you might want for a local pub
Après :     ['place', 'disney', 'world', 'bell', 'whistle', 'want', 'pub', 'mother', 'hour', 'wait']

Avant :     I have been to a couple of Keke's in other cities, however, was exceedingly disappointed with my exp
Après :     ['city', 'disappoint', 'experience', 'today', 'hour', 'waiting', 'tell', 'order', 'misplace', 'understand']

Avant :     I was not greeted or acknowledged by anyone in this store. Once a picked an item up and walked to an
Après :     ['greet', 'acknowledge', 'store', 'pick', 'item', 'walk', 'area', 'store', 'associate', 'ask']

Avant :     Nice staff but hope you're not in a rush as they tend to take a very long time. Drinks are much quic
Après :     ['staff', 'hope', 'rush', 'tend', 'take', 'time', 'drink', 'food', 'selection', 'seem']

Avant :     The coffee is pretty good. They have a good selection of pour yourself pots. The only negative is th
Après :     ['coffee', 'selection', 'pour', 'pot', 'music', 'mix', 'rock', 'relax', 'atmosphere', 'drink']

Avant :     Bad Chinese. Fried rice was not good. Mushy and pasty. 
Kung pao was okay but sauce was runny and th
Après :     ['fry_rice', 'pasty', 'kung', 'sauce', 'runny', 'soup', 'lack_flavor', 'bother']

Avant :     Chicken was rubbery, fried rice has no vegetable or egg, it's just yellow rice that tastes stale. Wi
Après :     ['chicken', 'rubbery', 'fry_rice', 'vegetable', 'egg', 'rice', 'taste', 'stick', 'pizza', 'delivery']

Avant :     Meh is right.  I went here with a group of 5/6 people and we were all pretty disappointed.  First, t
Après :     ['meh', 'group', 'people', 'service_slow', 'take', 'patience', 'threshold', 'food', 'fry_rice', 'person']

Avant :     My parents were regulars at Sam's for years. We spent many of a birthday or special event as a famil
Après :     ['parent', 'regular', 'year', 'spend', 'birthday', 'event', 'family', 'restaurant', 'mom', 'become']

Avant :     Ate during the lunch buffet. Not terribly impressed, the food was slightly below average and the goa
Après :     ['eat', 'lunch_buffet', 'food', 'find', 'bone', 'shard', 'want', 'lunch', 'wait', 'service']

Avant :     Food was extremely salty, amost unbearably so. Was it an off day? I don't know, but i would not go t
Après :     ['food', 'amost', 'day', 'know', 'esp', 'charge', 'buffet', 'drink', 'restaurant', 'right']

Avant :     Overpriced for average food served warm (not hot) by servers who had trouble saying the names of the
Après :     ['overprice', 'food', 'serve', 'server', 'trouble', 'say', 'name', 'dish', 'seem', 'rush']

Avant :     Our initial contact with the waiter was disappointing as he did not smile and was quite unfriendly. 
Après :     ['contact', 'waiter', 'smile', 'table', 'restaurant', 'appetizer', 'take', 'minute', 'follow', 'minute']

Avant :     Worst dinner I have had in Nashville. Food was mediocre beer and wine selection horrible. Oh plus no
Après :     ['dinner', 'food', 'beer', 'wine_selection', 'speak', 'beer', 'glass_wine', 'glass', 'need', 'opportunity']

Avant :     Food was quite expensive for portion sizes.  Was charged 18.00 to receive two chicken legs in sauce.
Après :     ['food', 'portion_size', 'charge', 'receive', 'chicken', 'leg', 'sauce', 'husband', 'food', 'wrong']

Avant :     In love with the papas rellenas at this place.. The menu varies with typical Puerto Rican food but t
Après :     ['love', 'papa', 'rellena', 'place', 'vary', 'food', 'food', 'taste', 'sazon']

Avant :     So, it takes probably 10 mins to be greated but honestly I think it was longer. I ordered a drink th
Après :     ['take_min', 'greate', 'think', 'order', 'drink', 'water', 'order', 'appetizer', 'menu', 'place']

Avant :     I'm am Puerto Rican and the food here is nothing like the food back home, you are selling "Latin" fo
Après :     ['food', 'food', 'home', 'sell', 'food', 'soggy', 'tostone', 'pasta', 'alfredo', 'good']

Avant :     Smoke and Barrel BBQ, less than marginal at best, I don't think I will ever come again! They should 
Après :     ['smoke', 'think', 'come', 'keep', 'pastavino', 'tip', 'smoke', 'cut', 'inch', 'square']

Avant :     My chicken sandwich was beyond dry. I didn't even finish it. The cole slaw was edible but nothing sp
Après :     ['chicken', 'sandwich', 'finish', 'cole', 'slaw', 'atmosphere', 'place', 'food', 'improve']

Avant :     The food was okay, but cold. I was extremely disappointed with the service. If the service is bad fo
Après :     ['food', 'service', 'service', 'forget']

Avant :     I ate here once with my boyfriend and I was pretty un-impressed. the bbq was ok, definitely not the 
Après :     ['eat', 'boyfriend', 'star', 'bathroom', 'cold', 'smell', 'women', 'restroom', 'stench', 'bathroom']

Avant :     I never write reviews. however, DO. NOT. GO. HERE.  I ignored the reviews, thinking eh, it can't be 
Après :     ['write_review', 'ignore', 'review', 'think', 'goodness', 'rib', 'cheese', 'chunky', 'pull_pork', 'sit']

Avant :     Gross.  Went with a bunch of co-workers for lunch to try something new.  Had tri-tip (was OK) & chic
Après :     ['worker', 'lunch', 'try', 'tip', 'chicken', 'side', 'potato_salad', 'find', 'finger', 'latex']

Avant :     Well....we didn't get to try the food because the service so bad. The person who took our order was 
Après :     ['try', 'food', 'service', 'person', 'take', 'order', 'cancel_order', 'leave', 'want', 'money']

Avant :     The wife and I have had 3 or 4 pizza's here. In our opinion, we found the pizza dough to have little
Après :     ['opinion', 'find', 'pizza', 'dough', 'taste', 'pizza', 'sauce', 'taste', 'come', 'pizza']

Avant :     Completely inconsistent. Used to be much better. Half of the time everything falls completely off th
Après :     ['use', 'half', 'time', 'fall', 'pizza', 'staff', 'program', 'tell', 'minute', 'pick']

Avant :     My girlfriend and I split an xL cheese pizza with half sausage and half mushrooms.  The pizza crust 
Après :     ['girlfriend', 'split', 'cheese', 'pizza', 'half', 'sausage', 'half', 'mushroom', 'pizza_crust', 'come']

Avant :     This was my favorite pizza place to go, till today! I called in advance to place my order like I alw
Après :     ['pizza', 'place', 'today', 'call', 'advance', 'place', 'order', 'come', 'pick', 'tell']

Avant :     Extremely disappointed first time ordering, all the food it cold, the garlic knots were soggy, and w
Après :     ['time', 'order', 'food', 'garlic_knot', 'soggy', 'burn', 'pizza']

Avant :     I hadn't been here in a few years, but really used to enjoy their crispy  thin crust pizza.  So, I o
Après :     ['year', 'use', 'enjoy', 'crust', 'pizza', 'order', 'night', 'home', 'soggy', 'need']

Avant :     This place is cute as can be and very historic but the food was awful. I did not experience fresh or
Après :     ['place', 'food', 'experience', 'quality', 'food', 'lunch', 'companion']

Avant :     Terrible service.   Don't care how good the food is, if the service sucks I'm not coming back, ever.
Après :     ['service', 'care', 'food', 'service', 'suck', 'come', 'choice', 'spend_money', 'serve', 'chicken']

Avant :     Very disappointed with this restaurant. I have had wings other places that were better. If this is t
Après :     ['restaurant', 'wing', 'place', 'service_slow', 'order', 'server', 'keep', 'apologize', 'keep', 'ask']

Avant :     Their "full rack" of ribs is 1/2 rack anywhere else.  Don't be suckered by the $12.99 price, it's pr
Après :     ['rack', 'rib', 'rack', 'suckere', 'price', 'freakin', 'lie', 'eat', 'rack', 'side']

Avant :     Ordered Caramel frappe at Drive thru, BIG MISTAKE! Took 30 min and there were only 2 cars in front o
Après :     ['order', 'drive', 'mistake', 'take_min', 'car']

Avant :     Yummy but the staff refused to make a frappacino I have ordered at least three times before at the s
Après :     ['staff', 'refuse', 'make', 'frappacino', 'order', 'time', 'location', 'time', 'lifetime', 'location']

Avant :     If I could give them 0 stars I would. Horrible customer service. I order my coffee as follows, cold 
Après :     ['give_star', 'customer_service', 'order', 'coffee', 'follow', 'brew', 'water', 'shot', 'tote', 'give']

Avant :     Horrible customer service. Major attitude problem. Been to many Starbucks in US and in other countri
Après :     ['customer_service', 'attitude', 'problem', 'starbuck', 'country', 'follow', 'starbuck', 'customer_service', 'model']

Avant :     I hate to say this Starbucks is becoming the worst. Every time I go they are out of pastries and san
Après :     ['hate', 'say', 'starbuck', 'become', 'time', 'pastry', 'sandwich', 'tend', 'request', 'milk']

Avant :     This Starbucks took 25 minutes and 4 tries to give me and my wife a grande iced caramel macchiato an
Après :     ['starbuck', 'take', 'minute', 'try', 'give', 'wife', 'drive', 'line', 'close', 'line']

Avant :     I ordered buffalo wings fried hard & a salad with romaine lettuce. My salad was delivered iceberg le
Après :     ['order', 'buffalo_wing', 'fry', 'salad', 'romaine', 'lettuce', 'salad', 'deliver', 'iceberg_lettuce', 'use']

Avant :     This is the most money hungry place!!!! when you order wings 20 plus I think you should be able to g
Après :     ['money', 'place', 'order', 'wing', 'think', 'half', 'sauce', 'charge', 'container', 'food']

Avant :     Pizza was ok if not somewhat poor. Side note-  I really don't understand how they can justify chargi
Après :     ['pizza', 'side', 'note', 'understand', 'justify', 'charge', 'price', 'top', 'pizza']

Avant :     Food is expensive and not worth it. My hubby had carnitas - very dry. I had the scallops- expensive 
Après :     ['food', 'hubby', 'carnita', 'scallop', 'undercooke', 'brown', 'crust', 'rice', 'serve', 'family']

Avant :     This place was so not with the price. Chips were staleish. I asked waitress if I could get shrimp in
Après :     ['place', 'price', 'chip', 'ask', 'waitress', 'shrimp', 'way', 'fry', 'say', 'pre']

Avant :     Very small menu. Im mexican and there is nothing mexican about this restaurant. Its not decorated at
Après :     ['menu', 'decorate', 'music_play', 'taco', 'kid', 'order', 'duck', 'salad', 'duck', 'see']

Avant :     We stopped in on Sunday about 5:10. We were rudely turned away, being told that the next reservation
Après :     ['stop', 'turn', 'tell', 'reservation', 'line', 'booth', 'table', 'explanation', 'give', 'want']

Avant :     Wow... where do I start. We sat down at available seats at the bar. Waited 15 mins for a drink and o
Après :     ['start', 'sit', 'seat', 'bar', 'wait_min', 'drink', 'order', 'fundito', 'chip', 'chip']

Avant :     We decided to try this place after seeing it on Facebook! My husband decided to get the succulent pi
Après :     ['decide', 'try', 'place', 'see', 'husband', 'decide', 'pig', 'carve', 'table', 'side']

Avant :     Lester's at Clayton and Baxter has closed permanently as of 3 Nov 2014.
Après :     ['baxter', 'close']

Avant :     I really don't understand the infatuation with this place in St. Louis. Yes, they have a lot of game
Après :     ['understand', 'infatuation', 'place', 'lot', 'game', 'tv', 'tv', 'sit', 'spot', 'game']

Avant :     The service was slow and there was no ach tray and wait almost an hour our drinks. The music was goo
Après :     ['service', 'wait', 'hour', 'drink', 'music', 'thing']

Avant :     Unfortunately, I paid over $100.oo for a NYE night out at this club. It was, absolutely the worst. T
Après :     ['pay', 'night', 'club', 'bathroom', 'work', 'smoke', 'club', 'ventilation', 'walk', 'time']

Avant :     This is a bar not a 4+ star eatery. Know that going in. Food so-so. Loud and noisy. We endured lunch
Après :     ['bar', 'star', 'eatery', 'know', 'food', 'endure', 'lunch']

Avant :     The food was ok. Waitress was attentive and very sweet. However, what a dump!! They have a gold mine
Après :     ['food', 'waitress', 'dump', 'gold', 'mine', 'take', 'profit', 'say', 'facelift']

Avant :     Food was actually quite good, and the place has definite New Orleans style and character that I like
Après :     ['food', 'place', 'style', 'character', 'service', 'read_review', 'complain', 'service', 'grain', 'salt']

Avant :     This was one of my favorite places to eat pre Katrina. Now it's terrible. The staff is very slow, th
Après :     ['place', 'eat', 'staff', 'portion', 'price', 'wait_minute', 'refill', 'minute', 'waitress', 'card']

Avant :     So went to to jack Dempsey's a few nights ago,  I was really looking forward to trying a local favor
Après :     ['night', 'look', 'try', 'say', 'place', 'atmosphere', 'service', 'fry', 'sea', 'food']

Avant :     Slow staff,  slimy gumbo, excessive batter on fried food.  Jack Dempseys is known for their fried se
Après :     ['staff', 'gumbo', 'batter', 'fry', 'food', 'jack', 'dempsey', 'know', 'fry', 'clue']

Avant :     Service is ok, cooler and dining on your beignets inside isnt the same but on a hot and humid night 
Après :     ['service', 'dining', 'beignet', 'night', 'appreciate', 'blast', 'morning', 'call', 'cash', 'parking_lot']

Avant :     What can you say about beignets and coffee. If you mess that up the place should close. Two stars fo
Après :     ['say', 'beignet', 'coffee', 'mess', 'place', 'close', 'star', 'piss', 'customer_service', 'word']

Avant :     I must have went the wrong time of day.  I got in town at around 4pm so I stopped at Morning Call. I
Après :     ['time', 'day', 'town', 'stop', 'morning', 'call', 'use', 'come', 'day', 'night']

Avant :     ghetto hole in the wall, the chips are not free, the salsa bar is nasty dirty... seems like everythi
Après :     ['ghetto', 'hole', 'salsa', 'bar', 'dirty', 'seem', 'greasy', 'try', 'thing']

Avant :     This Place Is Blah. For a $10 super burrito that was advertised to have guacamole and sour cream and
Après :     ['place', 'advertise', 'cream', 'rice_bean', 'cheese', 'meat', 'call', 'inform', 'lacking', 'avocado']

Avant :     Food was ok. Not authentic as advertised. The loaded burrito had more cheese than the small spoon si
Après :     ['food', 'ok', 'advertise', 'load', 'cheese', 'spoon', 'size', 'guacamole', 'advertise', 'cash']

Avant :     They need to change their oil. All the food tasted rancid.
Après :     ['need', 'change', 'oil', 'food', 'taste', 'rancid']

Avant :     Always looking for new places to try and after reading previous reviews thought this sounded good.  
Après :     ['look', 'place', 'try', 'read_review', 'think', 'sound', 'order', 'spring_roll', 'plum', 'sauce']

Avant :     Pizza sucks all grease not cook all the way told 2 hours to deliver wtf I well never order again! !!
Après :     ['pizza', 'suck', 'grease', 'tell', 'hour', 'deliver', 'wtf', 'order']

Avant :     We got the baked lasagna,  which was delivered cold, and the veal marsala which was nothing but mayb
Après :     ['bake', 'lasagna', 'deliver', 'veal', 'marsala', 'veal', 'gravy', 'disappoint', 'order']

Avant :     Food was just ok. Sauce was tomato paste and water not much more flavor.  I hoped for so much more
Après :     ['food', 'ok', 'sauce', 'tomato', 'paste', 'water', 'flavor', 'hope']

Avant :     This experience was awful!!!! We specifically asked our subs to be toasted when we ordered them.  35
Après :     ['experience', 'ask', 'sub', 'toast', 'order', 'minute', 'receive', 'excuse', 'kitchen', 'forgot']

Avant :     Worst pizza and worst service ever!
Après :     ['pizza', 'service']

Avant :     Ordered a large cheese pizza to go, but was so hungry I decided to utilize one of the outdoor tables
Après :     ['order', 'cheese', 'pizza', 'decide', 'utilize', 'table', 'slice', 'report', 'pizza', 'border']

Avant :     Food is good but owner is a jerk and when he is in the house food is subpar with little to none of t
Après :     ['food', 'owner', 'none', 'ingredient', 'suggest', 'help', 'give', 'service']

Avant :     Got to say was very disappointed with the service. Waitress was rude and food took forever even thou
Après :     ['say', 'service', 'waitress', 'food', 'take', 'crowd', 'arrive', 'seafood', 'place', 'neighborhood']

Avant :     Went for lunch during a beach vacation. Two other tables of customers  in the restaurant. Took about
Après :     ['lunch', 'beach', 'vacation', 'table', 'customer', 'restaurant', 'take', 'minute', 'server', 'come']

Avant :     Saw the good reviews and location was within walking distance. Put name in at VIP Lounge for Mexican
Après :     ['see', 'review', 'location', 'walk_distance', 'put', 'name', 'vip', 'lounge', 'food', 'want']

Avant :     Service was terrible. We sat at the bar and the bartenders were not friendly. However, the guy shuck
Après :     ['service', 'sit_bar', 'bartender', 'guy', 'shuck', 'oyster', 'help', 'decide', 'order', 'eat']

Avant :     Service was lacking the waitress was running around ( I think she may have been in the kitchen tryin
Après :     ['service', 'lacking', 'waitress', 'run', 'think', 'kitchen', 'try', 'help', 'sit', 'hour']

Avant :     The food was OK. Not great, OK. The Margarita's were very light on the mix - and very watery, but th
Après :     ['food', 'ok', 'light', 'mix', 'watery', 'expect', 'use', 'crush', 'ice', 'restaurant']

Avant :     Good service, but sad food . Crab cakes weren't even crab and string beans( southern style) not fres
Après :     ['service', 'food', 'crab_cake', 'crab', 'string', 'bean', 'style', 'hear', 'management', 'food']

Avant :     Yikes, man. This place does not live up to the hype at all. They have rude hostesses, food is "meh" 
Après :     ['yike', 'place', 'live_hype', 'rude', 'hostesse', 'food', 'meh', 'bartender', 'seem', 'issue']

Avant :     Very very disappointed! My husband and I visited for the first time tonight. Fish and chips were bur
Après :     ['husband', 'visit', 'time', 'tonight', 'fish_chip', 'burn', 'greasy', 'salad', 'husband', 'ask']

Avant :     Good food but had horrible service Sunday night around 8 pm. Sad because I love the place but we wer
Après :     ['food', 'service', 'night', 'love', 'place', 'treat', 'importance', 'restaurant']

Avant :     Writing this review from my booth. Let me preface this by saying I'm not one to complain. It took 15
Après :     ['write_review', 'booth', 'let', 'preface', 'say', 'complain', 'take', 'minute', 'seat', 'waitress']

Avant :     First of all i wasn't greeted . Then we was serve on dirty trays that was wiped with dirty rags . Al
Après :     ['greet', 'serve', 'tray', 'wipe', 'rag', 'restroom', 'table_chair', 'sit', 'come', 'spread_word']

Avant :     are you kidding me

i found bug larve in the food

hello - board of health !


bug larve in the food
Après :     ['kid', 'find', 'bug', 'larve', 'board', 'larve', 'food', 'beware']

Avant :     Terribly slow service, as in over 30 minutes in a short line. Very rude employees and quite dirty. V
Après :     ['slow', 'service', 'minute', 'line', 'rude', 'employee', 'quality', 'return', 'place']

Avant :     Nasty!  Food and establishment. Made food up quick but waited in line forever to pay and get food. B
Après :     ['food', 'establishment', 'make', 'food', 'wait_line', 'pay', 'food', 'time', 'food', 'chip']

Avant :     We love moes at home in florida so when we came to Tennessee to visit relatives we decided hey let's
Après :     ['love', 'moe', 'come', 'visit', 'relative', 'decide', 'let', 'moe', 'know', 'mistake']

Avant :     I'm giving 1 star purely bc the food was ok...the staff at this moes is incredibly rude! & they look
Après :     ['give_star', 'bc', 'food', 'staff', 'moe', 'look', 'want', 'thing', 'order', 'quesadilla']

Avant :     The food was great...however the wait staff was so bad it was incredible.  He not only insulted us a
Après :     ['food', 'wait', 'staff', 'insult', 'complain', 'hour', 'wait', 'entree', 'insist', 'say']

Avant :     It's 11:29pm, they close at 1am their kitchen closes  at 12am. So when we asked to be sat on the roo
Après :     ['pm', 'kitchen_close', 'ask', 'say', 'table', 'set', 'tell', 'worry', 'adio', 'mf']

Avant :     I've tried livery on multiple occasions, thinking each time it will prove to be a different experien
Après :     ['try', 'occasion', 'think', 'time', 'prove', 'experience', 'know', 'food', 'look', 'consider']

Avant :     Terrible bar service and attitude in the upstairs bar on Sunday evening.

Server was great and food 
Après :     ['bar', 'service', 'attitude', 'bar', 'evening', 'server', 'food', 'bar_tender', 'thank']

Avant :     My family was drawn into Rotten Ralph's by their good Happy Hour prices. We got appetizers and the f
Après :     ['family', 'draw', 'hour', 'price', 'appetizer', 'food', 'issue', 'come', 'bill', 'price']

Avant :     Went in with a friend for a bite to eat before doing some bar hopping. For some reason the menu to m
Après :     ['friend', 'bite', 'eat', 'bar', 'hopping', 'reason', 'menu', 'seem', 'type', 'food']

Avant :     The worst meal I ever had. Server was rude, took 25 minutes to receive our meals, order was wrong, f
Après :     ['meal', 'server', 'rude', 'take', 'minute', 'receive', 'meal', 'order', 'food', 'wad']

Avant :     Easily the worst meal I had in five days of eating out 2x a day in Philly.  Server recommended the p
Après :     ['meal', 'day', 'eat', 'day', 'server', 'recommend', 'pork_sandwich', 'cheesesteak', 'thought', 'pork']

Avant :     Good beers on draft, potentially good atmosphere, but AWFUL bartender. She tried to kick us out at 1
Après :     ['beer', 'draft', 'atmosphere', 'bartender', 'try', 'kick', 'bar', 'close', 'time', 'life']

Avant :     I've been here to drink numerous times but this was my first experience with their food...

Waitress
Après :     ['drink', 'time', 'experience', 'food', 'waitress', 'seem', 'lose', 'time', 'order', 'lunch_special']

Avant :     I have been here twice. Once for a beer before shooting pool at Buffalo Billiards and once just gett
Après :     ['beer', 'shoot', 'pool', 'buffalo', 'billiard', 'pack', 'experience', 'draft_beer', 'place', 'experience']

Avant :     Do not eat here. Food took almost an hour to get (4 sandwiches) and the place was fairly empty. The 
Après :     ['eat', 'food', 'take', 'hour', 'sandwich', 'place', 'food', 'quality', 'feud', 'know']

Avant :     Service was terrible, took about 20 minutes to get our drinks and another 40 for our food, which we 
Après :     ['service_terrible', 'take', 'minute', 'drink', 'food', 'order', 'time', 'food', 'mediocre', 'come']

Avant :     Rotten is the perfect name for this place. I would never come here again. Terrible staff. Nothing wo
Après :     ['name', 'place', 'come', 'staff', 'come']

Avant :     I used to eat at Rotten Ralph's every now and then for lunch, since I work relatively close by. They
Après :     ['use', 'eat', 'ralph', 'lunch', 'work', 'price', 'lunch_special', 'bring', 'problem', 'service']

Avant :     Good service but sandwich sucked. Id go elsewhere for better grub while visiting the city
Après :     ['service', 'sandwich', 'suck', 'grub', 'visit', 'city']

Avant :     Poor service. Poor food. Waited 10 minutes for drinks. Wrong food order arrived. One out of three it
Après :     ['service', 'food', 'wait_minute', 'drink', 'food', 'order', 'arrive', 'item']

Avant :     My husband and I were ending our night early, but before heading home we stopped in. It took the wai
Après :     ['husband', 'end', 'night', 'head', 'home', 'stop', 'take', 'waitress', 'come', 'take']

Avant :     Service was horrible, took 15 minutes for the bartender to end her conversation with a group of coug
Après :     ['service', 'take', 'minute', 'conversation', 'group', 'cougar', 'come', 'drink', 'order', 'minute']

Avant :     I really shy away from giving negative reviews. But this place is, in my opinion, a little overrated
Après :     ['shy', 'give', 'review', 'place', 'opinion', 'dive_bar', 'know', 'look', 'price', 'bartender']

Avant :     If possible to give negative stars, today's experience would have earned them. It didn't appear that
Après :     ['give_star', 'today', 'experience', 'earn', 'appear', 'want', 'working', 'server', 'conductor', 'train']

Avant :     Do NOT go here for food, they can't even make a simple patty melt when u order a hamberger.  Al o ta
Après :     ['food', 'make', 'melt', 'order', 'hamberger', 'taste', 'guy', 'bar', 'tv', 'fireplace']

Avant :     Perfect Name for this establishment. Food was dissappointing, servers were bitter unhappy stupid peo
Après :     ['name', 'establishment', 'food', 'dissappointe', 'server', 'people', 'server', 'wear', 'dress', 'cover']

Avant :     We had a bad experience here, food was cold, bread was soggy, and to top it off the pulled pork was 
Après :     ['experience', 'food', 'bread', 'soggy', 'pull_pork', 'flavor', 'help', 'pull_pork', 'recommend', 'eat']

Avant :     I live literally one block from Fish & Co, and being from coastal CA I get excited every time a seaf
Après :     ['live_block', 'fish', 'coastal', 'excited', 'time', 'seafood', 'hang', 'open', 'sign', 'point']

Avant :     With all the great options on 12S, Fish & Co. just does not stack up.  Food is o.k., service is poor
Après :     ['option', 'fish', 'stack', 'food', 'service', 'atmosphere', 'blah', 'location', 'wait', 'concept']

Avant :     My family and I decide on The Fish for Mother's Day dinner 2017. Won't be going back. Took a server 
Après :     ['family', 'decide', 'fish', 'mother_day', 'dinner', 'take', 'server', 'minute', 'arrive', 'place']

Avant :     Nice facility and service was friendly, but food very mediocre for the price.  Rice in paella wasn't
Après :     ['facility', 'service', 'food', 'price', 'rice', 'paella', 'shrimp_grit', 'bland', 'appetizer', 'restaurant']

Avant :     How this place gets so many stars I just don't know.  Devil's food cake with cheap icing and chocola
Après :     ['place', 'star', 'know', 'food', 'cake', 'ice', 'chocolate', 'shaving', 'make', 'cake']

Avant :     Had looked forward to going there for something yummy. Unfortunately, got the sticky bun which was v
Après :     ['look', 'bun', 'guess', 'overprice', 'taste', 'good']

Avant :     Can't speak for the baked goods, but definitely some of the worse service I have ever encountered. I
Après :     ['speak', 'bake_good', 'service', 'encounter', 'walk', 'hope', 'find', 'cake', 'buy', 'wedding']

Avant :     The cake was not pretty when it was delivered...The chocolate shavings all shifted to one side so it
Après :     ['cake', 'deliver', 'chocolate', 'shaving', 'shift', 'side', 'side', 'cake', 'cardboard', 'holder']

Avant :     Do not go here. I had a Christmas party and decided to order in advance over the phone. I informed t
Après :     ['decide', 'order', 'advance', 'phone', 'inform', 'headcount', 'describe', 'need', 'pay', 'party']

Avant :     Not impressed by the food or service.  Visited them for brunch about month ago and will not be back.
Après :     ['impress', 'food', 'service', 'visit', 'brunch', 'month', 'overprice', 'mimosa', 'champagne', 'flute']

Avant :     Experience was not a delightful one. Usually you pay for what you get in this case that is very untr
Après :     ['experience', 'one', 'pay', 'case', 'return']

Avant :     So they renovated the place and now it has more counter space. I thought now they possibly can fit i
Après :     ['renovate', 'place', 'counter', 'space', 'think', 'fit', 'barista', 'improve', 'quality', 'drink']

Avant :     I am done with this place. While the coffee is excellent, the barista's are total a-holes. Yesterday
Après :     ['place', 'coffee', 'barista', 'total', 'hole', 'yesterday', 'line', 'barista', 'bypass', 'place']

Avant :     I'm a coffee roaster. I'm a coffee guy. I'm a barista. I'm a decent guy and I thought this place ser
Après :     ['coffee', 'roaster', 'coffee', 'guy', 'barista', 'guy', 'think', 'place', 'serve', 'coffee']

Avant :     I think the space is cute and I've been to the location in SoHo.  Now I'm strictly an espresso drink
Après :     ['think', 'space', 'cute', 'location', 'soho', 'espresso', 'drinker', 'dunno', 'taste', 'burn']

Avant :     Bah! What's up with this, Philly? This was some inferior coffee! Maybe it was an off day, but just b
Après :     ['coffee', 'day', 'hipster', 'serve', 'coffee', 'mug', 'mean', 'man', 'taste', 'burn']

Avant :     this place sucks. i dont quite understand what all the hype's about. their coffee tastes like any ot
Après :     ['place', 'suck', 'understand_hype', 'coffee', 'taste', 'coffee', 'employee', 'treat', 'shit']

Avant :     I have been here for many times, and have been getting more and more disappointed. The quality of th
Après :     ['time', 'quality', 'latte', 'colombe', 'nyc', 'favorite', 'make', 'decide', 'write_review', 'visit']

Avant :     Just left, no food no service! We where sat down and waited 10 minutes while the staff held their co
Après :     ['leave', 'food', 'service', 'sit', 'wait_minute', 'staff', 'hold', 'conversation', 'service', 'give_star']

Avant :     Ate here tonight. Great service, food a little left to be desired. The one in Baton Rouge is much be
Après :     ['eat', 'tonight', 'service', 'food', 'leave_desire', 'baton', 'rouge']

Avant :     Service was slow even though the place was empty. The lamb was flavorless and very oily. Like weirdl
Après :     ['service', 'place', 'lamb', 'flavorless', 'rice', 'taste', 'boyfriend', 'plate', 'disaster', 'olive']

Avant :     I should have read the 3 reviews before I went. The pizza is decent at best. I saw them adding sauce
Après :     ['read_review', 'pizza', 'see', 'add', 'sauce', 'pizza', 'make', 'chunk', 'know', 'fountain_drink']

Avant :     My fault for not inspecting the meal I bought (2 breast of chicken) worth 6.52 basically gave me 1 b
Après :     ['fault', 'inspect', 'meal', 'buy', 'breast', 'chicken', 'worth', 'give', 'breast', 'chicken']

Avant :     Thid was the worst. Have been there before ( prob 2 years ago) thought it would be a nice  inexpensi
Après :     ['thid', 'prob', 'year', 'think', 'nice', 'meal', 'love', 'chicken', 'rice_bean', 'man']

Avant :     Went there for lunch. Did not finish. The food was boring and the service was rude. Chicken very dry
Après :     ['lunch', 'finish', 'food', 'service']

Avant :     Customer for 10 years this store has gone way down hill. Drive thru is extremely slow and inconsiste
Après :     ['customer', 'year', 'store', 'way', 'hill', 'drive', 'star', 'drive', 'min', 'find']

Avant :     Driest chicken known to man. Its like chicken jerky! And pricey.
Après :     ['chicken', 'know', 'man']

Avant :     Not a good experience. When I went up to the sauce station to get the cilantro garlic sauce there wa
Après :     ['experience', 'sauce', 'sauce', 'hair', 'make', 'appetite', 'server', 'floor', 'attendant', 'come']

Avant :     Our first visit here. 
My wife ordered classic grilled chicken sandwich but chicken was still pink. 
Après :     ['visit', 'wife', 'order', 'grill', 'chicken', 'sandwich', 'chicken', 'pink', 'order', 'waffle']

Avant :     Horrible, I wish we read the reviews before going in, what a downer this place was!  Let us sit for 
Après :     ['wish', 'read_review', 'downer', 'place', 'let', 'sit', 'hour', 'bring', 'food', 'son']

Avant :     Worst pizza ever- I am originally from NYC so I am aware that I have high standards when it comes to
Après :     ['pizza', 'standard', 'come', 'slice', 'legit', 'think', 'eat', 'cardboard', 'order', 'pizza']

Avant :     Been a long time customer but really feel they've been slipping lately. Ordered a pie at 2:25 today 
Après :     ['time', 'customer', 'feel', 'slip', 'order', 'pie', 'today', 'take', 'hour', 'arrive']

Avant :     Ah, Pinocchio's. If you're here for food, you're either desperate, broke, or lost. If you're here fo
Après :     ['pinocchio', 'food', 'break', 'lose', 'beer', 'place', 'lot', 'memory', 'pinocchio', 'ice_cream']

Avant :     Everything- service, atmosphere, cleanliness and quality of the food were abysmal. I think they do a
Après :     ['service', 'atmosphere', 'cleanliness', 'quality', 'food', 'think', 'takeout', 'business', 'depress', 'dining_area']

Avant :     Over priced out dated beer selection.  Several of the beers I picked up were over 6 months old and m
Après :     ['price', 'date', 'beer_selection', 'beer', 'pick', 'month', 'price', 'pack', 'hipster', 'bag']

Avant :     They won't deliver 3 miles away. This place obviously is doing so great it doesn't need business. Do
Après :     ['deliver', 'mile', 'place', 'need', 'business', 'decker']

Avant :     Pinocchio's is a tough place pin down for a review. On one hand the beer selection is pretty great. 
Après :     ['pinocchio', 'place', 'pin', 'review', 'hand', 'beer_selection', 'hand', 'place', 'seem', 'staff']

Avant :     Ordered a hand made garden pizza... the crust was over done and dry while the veggies in the top wer
Après :     ['order', 'hand', 'make', 'garden', 'pizza_crust', 'veggie', 'pineapple', 'pulp', 'add', 'top']

Avant :     i was staying at the lovely Hotel Monaco (to which this bar is connected to) and figured that I woul
Après :     ['stay_hotel', 'monaco', 'bar', 'connect', 'figured', 'give', 'place', 'try', 'vibe', 'bit']

Avant :     Cocktails were nice however the bartender Paul was perhaps the least friendly person I've met. Certa
Après :     ['cocktail', 'bartender', 'person', 'meet', 'bartender', 'want', 'keep', 'patron', 'drink', 'period']

Avant :     My friends and I came here for brunch. The food was just okay. We got the bottomless Bellini for $18
Après :     ['friend', 'come', 'food', 'bellini', 'take', 'replace', 'champagne', 'bottle', 'give', 'place']

Avant :     I hate places that brag about their local heirloom ingredients and then serve the same crap everyone
Après :     ['hate', 'place', 'brag', 'heirloom', 'ingredient', 'serve', 'crap', 'grape', 'tomato', 'become']

Avant :     I really wanted to like this place because of the cool ambiance.  I ordered the Philly cheese steak.
Après :     ['want', 'place', 'ambiance', 'order', 'cheese_steak', 'taste', 'portion_size', 'price', 'fact', 'give']

Avant :     Food wasn't great, way overpriced, waitress complained about a 10% tip.  The tomato soup tasted like
Après :     ['food', 'way_overprice', 'waitress', 'complain', 'tip', 'tomato', 'soup', 'taste', 'pasta', 'sauce']

Avant :     TRY:
Crispy black striped bass

(All my friends got the steak except me and they did NOT enjoy it as
Après :     ['try', 'crispy', 'bass', 'friend', 'steak', 'enjoy', 'enjoy', 'sea', 'bass', 'say']

Avant :     Breakfast - burnt pork sausage, very dark almost burnt french toast, cold gluten free waffle.  For t
Après :     ['breakfast', 'burn', 'pork', 'sausage', 'dark', 'burn', 'toast', 'waffle', 'price', 'expect']

Avant :     What a poor excuse for a restaurant, and I already expect hotel restaurants to be expensive and medi
Après :     ['excuse', 'restaurant', 'expect', 'hotel', 'restaurant', 'price', 'post', 'menu', 'ask', 'option']

Avant :     overpriced bland food-nice atmosphere. it just needs rime to get it together
I gave it more time to 
Après :     ['overprice', 'food', 'atmosphere', 'need', 'rime', 'give', 'time', 'kitchen', 'slow', 'order']

Avant :     This place looks the part and the service was good. We came here for a casual Saturday brunch, while
Après :     ['place', 'look', 'part', 'service', 'good', 'come', 'brunch', 'atmosphere', 'food', 'finishing']

Avant :     SO OVERPRICED. this place is cute and the menu options are fairly simple but this food is waaaay ove
Après :     ['overprice', 'place', 'menu', 'option', 'food', 'overprice', 'quality', 'restaurant', 'restaurant', 'portion']

Avant :     Service was good and the atmosphere was okay, kind of "urban chic meets college bar." But the food w
Après :     ['service', 'atmosphere', 'meet', 'college', 'bar', 'food', 'price', 'pay', 'location', 'mean']

Avant :     Red Owl was overall a bizarre experience. We walk in and the hostess says... NOTHING! Then when she 
Après :     ['owl', 'experience', 'walk', 'hostess', 'say', 'come', 'land', 'hand', 'menu', 'say']

Avant :     Came here for breakfast and had the blueberry muffin and breakfast potatoes. The breakfast potatoes 
Après :     ['come', 'breakfast', 'breakfast', 'potato', 'breakfast', 'potato', 'seasoning', 'recommend', 'muffin', 'good']

Avant :     Mussels way to large... Farm raised? Chicken terrible .. Small, over cooked.. Over salted.... Too ba
Après :     ['mussel', 'way', 'farm', 'raise', 'chicken', 'salt', 'location', 'hotel', 'food', 'disappointment']

Avant :     This place was pretty cool until they changed a UFC fight because of a "parent's complaint."  First,
Après :     ['place', 'change', 'ufc', 'fight', 'parent', 'complaint', 'folk', 'bar', 'want', 'watch']

Avant :     If the food was as awesome as the decor it would have gotten more stars. The atmosphere was very fun
Après :     ['food', 'decor', 'star', 'atmosphere', 'fun', 'food', 'soup', 'scorch', 'waiter', 'take']

Avant :     Went there for breakfast.  Not a disaster, but nothing was very good:  the service, the food, the re
Après :     ['breakfast', 'disaster', 'service', 'food', 'response', 'request', 'come', 'singe', 'egg', 'come']

Avant :     First time ordering here and it was really disappointing. My husband ordered a burrito and said that
Après :     ['time', 'order', 'husband', 'order', 'say', 'thing', 'ask', 'change', 'food', 'story']

Avant :     Maybe the pizza is good?  Had delivery of classic lasagna, where's the meat? Marsala was the second 
Après :     ['pizza', 'delivery', 'classic', 'dish', 'see', 'order', 'wedding', 'soup', 'meat', 'bowl']

Avant :     Incredibly loud. I came by to get a little computer work done but unfortunately only left with a pou
Après :     ['come', 'computer', 'work', 'leave', 'pound', 'headache', 'culprit', 'banging', 'try', 'espresso']

Avant :     went through the drive-thru here on the way to the airport because I remover it being great..well no
Après :     ['drive', 'way', 'airport', 'remover', 'service', 'lady', 'window', 'bunch', 'ass', 'believe']

Avant :     I really enjoy CC's coffee but every single time I go into this place the employees are miserable. Y
Après :     ['enjoy', 'coffee', 'time', 'place', 'employee', 'yesterday', 'time', 'smile', 'ring', 'person']

Avant :     Service was ok. Good deals. But the staff was very loud and unprofessional. They were the loudest in
Après :     ['service', 'deal', 'staff', 'restaurant', 'eat', 'work']

Avant :     Great service but terrible food.  
We were staying at a nearby hotel and were referred to Earls.  Th
Après :     ['service', 'food', 'stay_hotel', 'refer', 'earl', 'food', 'seem', 'flavor', 'make', 'food']

Avant :     Great service, meh food. My steak and shrimp were both undercooked, asparagus overcooked, garlic mas
Après :     ['food', 'steak', 'shrimp', 'undercooke', 'overcook', 'garlic', 'mash', 'draught', 'beer', 'dessert']

Avant :     Not a fan. Service was decent but the food was not hot and did not taste good. My husband and I have
Après :     ['fan', 'service', 'food', 'taste', 'husband']

Avant :     Worst Italian restraint I ever been to. Took 15 minutes for someone to wait on us and she walked by 
Après :     ['restraint', 'take', 'minute', 'wait', 'walk', 'time', 'personality', 'food', 'burn']

Avant :     This was absolutely the worst experience ever. My first and my last. Took an hour to get the food th
Après :     ['experience', 'take', 'hour', 'food', 'send', 'give', 'gift_card', 'give', 'tell', 'check']

Avant :     Very disappointing! We went to dinner early with our children to avoid the crowd and we won't be goi
Après :     ['dinner', 'child', 'avoid', 'crowd', 'kid', 'sprite', 'straw', 'mention', 'server', 'food']

Avant :     Be careful with the drinks... Sangria is more like koolaid and the wine was going bad.
Après :     ['drink', 'koolaid', 'wine']

Avant :     This place doesn't even deserve one star. The icing on the cake of my horrible experience was gettin
Après :     ['place', 'deserve_star', 'icing', 'cake', 'experience', 'serve', 'lasagna', 'sit', 'time', 'heat']

Avant :     Ordered take out. Lasagna was half the size as dine. It was refrigerator cold. Not even room tempera
Après :     ['order', 'take', 'lasagna', 'half', 'size', 'dine', 'refrigerator', 'cold', 'room_temperature', 'taste']

Avant :     Third and last try here. Food was ice cold. From reading the other comments on here, it seems to be 
Après :     ['try', 'food', 'ice', 'reading', 'comment', 'seem', 'complaint', 'place']

Avant :     Basically fast food Italian. Four of us went one day for lunch about 6 months ago. None of us return
Après :     ['food', 'day', 'lunch', 'month', 'none', 'return']

Avant :     Poor service. Went for lunch.  Server acted bored and could not care less.  Kitchen brought out my f
Après :     ['service', 'lunch', 'server', 'act', 'care', 'kitchen', 'bring', 'food', 'check', 'chicken']

Avant :     Sushi is not fresh and dining area is not clean. Will NOT be going back. Ever. Only came because I a
Après :     ['dining_area', 'come', 'acquire', 'groupon', 'fish', 'chewy', 'rule', 'thumb', 'place', 'emphasize']

Avant :     Lousy service, crap food and$21 for four shrimp...  And they are find with that when i talked to the
Après :     ['service', 'crap', 'food', 'shrimp', 'find', 'talk', 'eat', 'garbage']

Avant :     This review is on the sushi all you can eat plan.  My family has been coming here for 4 years.  The 
Après :     ['review', 'family', 'come', 'year', 'idea', 'management', 'day', 'fish', 'slice', 'become']

Avant :     This place is crap! Worst service ever! Rude server, and took forever to get food when there was no 
Après :     ['place', 'crap', 'service', 'server', 'take', 'food', 'food']

Avant :     Wow. Service here sucks.  Big fan of Backyard Bowls but walked in this morning at 7:04 to glares fro
Après :     ['service', 'suck', 'fan', 'backyard', 'bowl', 'walk', 'morning', 'glare', 'staffer', 'upset']

Avant :     I love the menu,but im a local an i been here many times and there is never a good satisfying  good 
Après :     ['love', 'menu', 'time', 'satisfy', 'welcome', 'like', 'oreder', 'face', 'love', 'love']

Avant :     The service at this location is TERRIBLE. Twice in the last month, I have gone there for lunch and i
Après :     ['service', 'location', 'month', 'lunch', 'take', 'minute', 'time', 'pay', 'bowl', 'time']

Avant :     We love coming here for our Acai bowls but today we got horrible service from the girl working calli
Après :     ['love', 'come', 'acai_bowl', 'today', 'service', 'girl', 'work', 'call', 'bowl', 'girl']

Avant :     Full disclosure: I didn't actually eat here, but I'm still rating my experience.

Took a day trip to
Après :     ['disclosure', 'eat', 'rate', 'experience', 'take', 'day', 'trip', 'look', 'treat', 'summer']

Avant :     I usually come to this place a lot and enjoy there smoothies and acai bowls all the time. Sometimes 
Après :     ['come', 'place', 'lot', 'enjoy', 'smoothie', 'acai_bowl', 'time', 'wait', 'today', 'order']

Avant :     Pretty disappointing as far as the SoCal acai bowl scene is concerned. I got a small green bowl and 
Après :     ['acai_bowl', 'scene', 'concern', 'bowl', 'smattering', 'strawberry', 'ask', 'say', 'bowl', 'feel']

Avant :     Meh...I wasn't impressed with this spot. Looking past the array of hand written signs and lack of av
Après :     ['impress', 'spot', 'look', 'array', 'hand', 'write', 'sign', 'lack', 'bagel', 'food']

Avant :     I wanted to like this place,  I really did.  I understand what previous reviewers said about stake b
Après :     ['want', 'place', 'understand', 'reviewer', 'say', 'stake', 'bagel', 'opinion', 'use', 'way']

Avant :     I don't frequent Dunedin very often so instead of Dunkin Donuts, I decide to support the local busin
Après :     ['dunedin', 'donut', 'decide', 'support_business', 'lady', 'work', 'customer_service', 'skill', 'treat', 'burden']

Avant :     My husband and I were looking forward to some good bagels, we're originally from NY.
My husband orde
Après :     ['husband', 'look', 'bagel', 'order', 'scoop', 'cheese', 'accord', 'owner', 'rude', 'see']

Avant :     Vincent's has good food, but it has never been ready when they say it will. I have given them many c
Après :     ['food', 'say', 'give_chance', 'year', 'keep', 'time', 'wait_minute', 'arrive', 'pick', 'order']

Avant :     The food taste okay not even  close to great, and the most disappointing thing was  the fact that it
Après :     ['food', 'taste', 'thing', 'fact', 'take', 'minute', 'food', 'include', 'bean', 'feel']

Avant :     Don't bother to place an order in person.  With no other customers in the store I had to wait over f
Après :     ['bother', 'place', 'order', 'person', 'customer', 'store', 'wait_min', 'guy', 'walk', 'cash_register']

Avant :     Could not understand the confusing app to order on line. They were having a special 50% off yet no m
Après :     ['understand', 'confuse', 'app', 'order', 'line', 'matter', 'try', 'order', 'discount', 'order']

Avant :     Food was strictly average, the service was simply terrible. There are FAR better choices to spend yo
Après :     ['food', 'service', 'choice', 'spend_earn', 'dollar', 'sho', 'scenery']

Avant :     Super over-priced. Good sushi but does not stand up to the other dozen or so spots in town, especial
Après :     ['price', 'stand', 'dozen', 'spot', 'town', 'size', 'thumbnail', 'dragon', 'roll']

Avant :     Visiting my daughter at nearby college and she wanted some Japanese food. Yelp review brought us her
Après :     ['visit', 'daughter', 'college', 'want', 'food', 'yelp_review', 'bring', 'wife', 'order', 'chirashi']

Avant :     Overview: 2/10 service, 3/10 food, 5/10 ambiance 
Would not recommend. 

To be honest this place is 
Après :     ['overview', 'service', 'food', 'ambiance', 'recommend', 'place', 'service_slow', 'chef', 'phone', 'face']

Avant :     I'm sure running a sushi restaurant must be hard.  

But I think the most important thing would be t
Après :     ['run', 'think', 'thing', 'fish', 'eat', 'lunch', 'fish', 'remember', 'eat', 'service']

Avant :     Food was not fresh. The Jalapeños on my Cliff Drive roll looked like it had been out since last nigh
Après :     ['food', 'roll', 'look', 'night', 'trust', 'eat', 'food']

Avant :     I went today for lunch with friends. The wait staff was rude and unpleasant. Such a bad experience a
Après :     ['today', 'lunch', 'friend', 'wait', 'staff', 'experience', 'food', 'mediocre', 'think', 'return']

Avant :     I cant speak for the service because I got sushi for take out but the sushi was not good at all. I'v
Après :     ['speak', 'service', 'take', 'grocery_store', 'eat', 'order', 'take', 'mention', 'website', 'need']

Avant :     I ordered a sushi bowl and I was disappointed when it came coz the sushi seemed dry and not very tas
Après :     ['order', 'come', 'seem', 'scale', 'fish', 'swallow', 'service']

Avant :     Was looking forward to trying this place it was the grand opening. Seem to be a little bit busy but 
Après :     ['look', 'try', 'place', 'opening', 'seem', 'bit', 'take', 'care', 'people', 'line']

Avant :     I can't give it less!! First there were four tables full and we made the fifth. The girls just stood
Après :     ['give', 'table', 'make', 'girl', 'stand', 'look', 'come', 'take', 'drink', 'order']

Avant :     I had high hopes. Decor and theme are cute. It took over 30 mins to get our drinks. Another 45 on to
Après :     ['hope', 'theme', 'cute', 'take_min', 'drink', 'food', 'half', 'table', 'order', 'lose']

Avant :     OK so how are you going to charge someone for a VIP table and set them BEHIND general admission and 
Après :     ['charge', 'vip', 'table', 'set', 'admission', 'ignore', 'event', 'charge', 'raffle', 'ticket']

Avant :     I attended an event there. You would think an event which draws in strangers to your business would 
Après :     ['attend', 'event', 'think', 'event', 'draw', 'stranger', 'business', 'opportunity', 'show', 'say']

Avant :     Not 24/7. Found that out the hard way at 3a.m.

Can't wait to try it when it's open.

Hopefully the 
Après :     ['find', 'way', 'wait', 'try', 'open', 'ice_cream', 'machine', 'work']

Avant :     This McDonald's is always slow and very poorly run. Please hire better management for this location.
Après :     ['slow', 'run', 'hire', 'management', 'location']

Avant :     Not sure if this is a mistake, but google maps says this McDonald's is open 24/7, but I came at 12:3
Après :     ['mistake', 'map', 'say', 'mcdonald', 'open', 'come', 'woman', 'drive', 'say', 'call']

Avant :     WAY too much money for what you get.  And it really isn't that good.  The lettuce in the salad was b
Après :     ['way', 'money', 'lettuce', 'salad', 'pizza']

Avant :     Avoid this place at all costs!! Worst Chinese food. Quality very poor. Table and menus were sticky, 
Après :     ['avoid', 'place', 'cost', 'food', 'quality', 'table', 'silverware', 'order', 'jazmine', 'beef']

Avant :     I just shake my head in disappointment to this place. On Fri 8/29 /2015 a visiting friend from the B
Après :     ['shake', 'visit', 'call', 'closing', 'place', 'tell', 'kitchen_close', 'staff_member', 'walk_door', 'proceed']

Avant :     I have to start by saying that they took three of the items off our bill ... But, I've never returne
Après :     ['start', 'say', 'take', 'item', 'bill', 'return', 'meal', 'start', 'appetizer', 'love']

Avant :     Their menu was missing tons of things we are used to ordering from all u can eat sushi. The fish was
Après :     ['menu', 'miss', 'ton', 'thing', 'use', 'order', 'eat', 'fish', 'seem', 'use']

Avant :     This is a review of the sushi only.  I am a big fan of Jazmine when it comes to their Chinese food. 
Après :     ['fan', 'jazmine', 'come', 'food', 'say', 'order', 'color', 'taste', 'prove', 'time']

Avant :     The food here tasted great, but after getting home I became very sick. This is unfortunate because l
Après :     ['food', 'taste', 'home', 'become', 'say', 'food', 'beware']

Avant :     Usually this place is good it just like most places it you go before noon they are all prepping and 
Après :     ['place', 'place', 'noon', 'preppe', 'pay_attention', 'bar', 'ignore', 'chop', 'scrub', 'lunch']

Avant :     Went with 8 friends for wine and something light to eat. It was a Friday night but not really busy. 
Après :     ['friend', 'wine', 'eat', 'night', 'table', 'study', 'offer', 'server', 'order', 'appetizer']

Avant :     I picked this place based on yelp and was left very disappointed. Asking if they had any cooked opti
Après :     ['pick', 'place', 'base_yelp', 'leave', 'ask', 'option', 'wife', 'make', 'custom', 'cook']

Avant :     Literally spit the burger out!   

The good:  Milkshake was solid - not exceptional, but certainly a
Après :     ['spit', 'burger', 'milkshake', 'fry', 'oreo', 'bag', 'remainder', 'give', 'burger', 'bun']

Avant :     Food just arrived, entire meal was inedible. I never write reviews but felt it was necessary to writ
Après :     ['food', 'arrive', 'meal', 'write_review', 'feel', 'write']

Avant :     Not good food. The name mean more to the hood then the food.  Thanks for being black owned.  That's 
Après :     ['food', 'name', 'mean', 'hood', 'food', 'thank', 'support', 'store', 'purchase']

Avant :     After it was updated several years ago I thought it changed for the better, but it's going down hill
Après :     ['update', 'year', 'think', 'change', 'hill', 'location', 'price', 'food', 'quick', 'seem']

Avant :     This place was truly awful.....diners are diners.... food is usually good enough in most diners... b
Après :     ['place', 'diner', 'diner', 'food', 'diner', 'place', 'husband', 'finish', 'meal', 'know']

Avant :     Let's start off by saying how do you mess up a simple fountain drink. The Pepsi was flattttt! Also m
Après :     ['let_start', 'say', 'fountain_drink', 'meal', 'thing', 'think', 'visit', 'establishment', 'food', 'worth']

Avant :     Fried rice looks like brown rice about 2 1/4 in chunks of egg. No vegtibles to be recognized . Like 
Après :     ['rice', 'look', 'rice', 'chunk', 'egg', 'vegtible', 'recognize', 'water', 'gun', 'soy_sauce']

Avant :     Below average Chinese food priced accordingly. This is fine but the front counter lady is among the 
Après :     ['food', 'price', 'counter', 'lady', 'rudest', 'deal', 'unwelcome', 'put', 'house', 'struggle']

Avant :     The employees provide okay service but the food isn't good. The chicken has a weird texture to it th
Après :     ['employee', 'provide', 'service', 'food', 'chicken', 'texture', 'make', 'eat', 'give', 'place']

Avant :     I love a good hole in the wall restaurant. They're often my favorites. But I was disappointed with C
Après :     ['love', 'hole', 'favorite', 'empire', 'broccoli', 'broccoli', 'beef', 'pipe', 'take_bite', 'give']

Avant :     I have had my share of bad Chinese food in my life. , but this place is definitely one of the top th
Après :     ['share', 'food', 'life', 'place', 'place', 'table', 'touch', 'grease', 'trust', 'instinct']

Avant :     The food was ALRIGHT. Chow mein was totally disgusting. Noodles were over cooked and too soft. I wou
Après :     ['noodle', 'cook', 'ate', 'raman']

Avant :     No. Just no. Don't go here. As soon as you walk in, you will question the last time this place has b
Après :     ['walk', 'question', 'time', 'place', 'clean', 'hole', 'lady', 'front', 'lot', 'yell']

Avant :     This place sucks, Pizza is ok. They are ignorant and rude. I live down the street so it's not a one 
Après :     ['place', 'suck', 'pizza', 'time', 'day', 'know', 'review', 'claim', 'cheesesteak', 'food']

Avant :     Don't order here! Customer service sucks! I live down the street and we know they are ignorant! I tr
Après :     ['order', 'customer_service', 'suck', 'street', 'know', 'try', 'time', 'girl', 'one', 'work']

Avant :     The worst customer service and nasty employees EVER!!!  SLOW SERVICE!!!Missing items and cashier not
Après :     ['customer_service', 'employee', 'slow', 'service', 'miss_item', 'cashier', 'give', 'change', 'feel', 'want']

Avant :     Worst dinner ever. Place was empty and the not so friendly greeter asked us 3 times how many people 
Après :     ['dinner', 'place', 'greeter', 'ask', 'time', 'people', 'party', 'wait', 'sever', 'bring']

Avant :     July 4th must have had the B team in the kitchen. With just a few tables seated for lunch it took an
Après :     ['team', 'kitchen', 'table', 'seat', 'lunch', 'take', 'hour', 'food', 'alfredo', 'lack']

Avant :     Food is pretty good. Service however, sucks....how long does it take to make pizza?? If you have sma
Après :     ['food', 'service', 'suck', 'take', 'make', 'pizza', 'kid', 'bring', 'bertucci', 'melt']

Avant :     I was very disappointed with this Bertucci's.  The wait staff was nice enough, if a bit slow.  I ord
Après :     ['bertucci', 'wait', 'staff', 'bit', 'order', 'pizza', 'wife', 'pasta_dish', 'food', 'take']

Avant :     I placed my order at 6:05 pm. It's now 8:25 pm. I have still not received my order. When I called th
Après :     ['place', 'order', 'receive', 'order', 'call', 'person', 'answer_phone', 'rush', 'phone', 'apology']

Avant :     I have eaten at other Joes Crab Shacks and they were much better. I had an apple crisp dessert first
Après :     ['joe', 'crab', 'shack', 'apple', 'dessert', 'dish', 'pasta', 'shrimp', 'sausage', 'shrimp']

Avant :     Sooooooo....Went back for a friend's going away annnnnnd probably will never going back. Of course t
Après :     ['friend', 'annnnnnd', 'course', 'seafood', 'raise_price', 'margarita', 'order', 'raige', 'steamer', 'margarita']

Avant :     We always check Yelp before trying a new place.  Based on the reviews I saw here we were quite surpr
Après :     ['check', 'yelp', 'try', 'place', 'base_review', 'see', 'meal', 'waitress', 'accommodate', 'time']

Avant :     The quality of food is below par. You do have better options near by. I wouldn't recommend this plac
Après :     ['quality', 'food', 'par', 'option', 'place']

Avant :     I really wanted to like this place because I have work trips to Indy regularly and I stay right down
Après :     ['want', 'place', 'work', 'trip', 'indy', 'stay', 'street', 'spice', 'mean', 'handle']

Avant :     Although the food tastes good it is not fresh. Rice tastes weird. They don't defrost the food enough
Après :     ['food', 'taste', 'rice', 'taste', 'defrost', 'food', 'gobi', 'manchurian', 'taste']

Avant :     Went back twice after my post. Dinner was really good here, much better than the buffet  but signifi
Après :     ['post', 'dinner', 'buffet', 'pricier', 'food', 'sauce', 'water', 'save_money', 'doubt']

Avant :     Very average Chinese food. The fried rice is more like yellow rice you can cook from home. On the up
Après :     ['food', 'fry_rice', 'rice', 'cook', 'place', 'deliver', 'look', 'place']

Avant :     Have been going there over 20 years & always had great friendly service which has resulted in 4-6 ho
Après :     ['year', 'service', 'result', 'hour', 'stay', 'bartender_rude', 'job', 'friend', 'bar', 'time']

Avant :     If I could give zero stars I would. 

The worst service I have ever had in my entire life. Train you
Après :     ['give_star', 'service', 'life', 'train', 'employee']

Avant :     Food was just okay. Waiter got my order wrong but I just settled for what I got.

Sitting next to ki
Après :     ['food', 'waiter', 'order', 'settle', 'sit', 'kitchen', 'make', 'worker', 'seem_care', 'overhear']

Avant :     I've been here a few times since I moved here at the end of last year... This place is ok, but nothi
Après :     ['time', 'move', 'end', 'year', 'place', 'ok', 'strawberry', 'lemonade', 'porkie', 'service']

Avant :     Real bummer.  I went there at 1pm on a Sunday.  The bartender was so busy I almost left because I wa
Après :     ['bummer', 'bartender', 'leave', 'wait', 'think', 'table', 'bar', 'cashed', 'walk', 'chili']

Avant :     If I could give a negative rating I would. It took 5 minutes for our drinks and 20 for rolls and the
Après :     ['give', 'rating', 'take', 'minute', 'drink', 'roll', 'minute', 'food', 'steak', 'cook']

Avant :     Today is veterans day and I think this restaurant has overwhelmed themselves. They have let people c
Après :     ['today', 'veteran', 'think', 'restaurant', 'overwhelmed', 'let', 'people', 'come', 'take', 'order']

Avant :     This place is horrible, the waitress was awful, bread was hard, and steak was over cooked. Logans us
Après :     ['place', 'waitress', 'bread', 'steak', 'cook', 'logan', 'use', 'place', 'eat']

Avant :     Normally excellent pizza. However after spending nearly 30$ I received a dry pasta with almost no sa
Après :     ['pizza', 'spend', 'receive', 'pasta', 'sauce', 'order', 'cheese', 'pizza', 'area', 'pizza']

Avant :     I was really excited to try this place, esp because my regular taco food truck was nowhere to be fou
Après :     ['excite', 'try', 'place', 'food', 'truck', 'find', 'today', 'beef', 'idea', 'review']

Avant :     When I think about the time I spent waiting for the server to arrive, for a drinkable cup of coffee 
Après :     ['think', 'time', 'spend', 'waiting', 'server', 'cup_coffee', 'replace', 'taste', 'brew', 'lump']

Avant :     Wow. Talk about horrible food. We went yesterday and someone in my party got basically diarhea. How 
Après :     ['talk', 'food', 'yesterday', 'party', 'diarhea', 'coffee', 'seat', 'clean', 'point', 'syrup']

Avant :     First clue were the filthy floors and stairs
avoid this location
they claim bread is fresh mine was 
Après :     ['floor', 'stair', 'avoid', 'location', 'claim', 'bread', 'mine']

Avant :     Came here based on the reviews. Sorry to say I was disappointed.
Spring roll was soggy inside, lacke
Après :     ['come', 'base_review', 'say', 'spring_roll', 'soggy', 'lack_flavor', 'include', 'sauce', 'help', 'soup']

Avant :     I wasn't overly impressed. The som tum mango was alright, but the garlic chicken that a few people m
Après :     ['impress', 'som', 'people', 'mention', 'like', 'flavorless', 'beef', 'write_home', 'rice', 'seem']

Avant :     My cousin and I found this place underwhelming at best. We ordered some deep fried porky wonton appe
Après :     ['find', 'place', 'underwhelme', 'order', 'fry', 'sieu', 'sauce', 'come', 'adhere', 'dumpling']

Avant :     Walked into the restaurant, with reservations, and many open tables.  I asked the manager for a wind
Après :     ['walk', 'restaurant', 'reservation', 'table', 'ask', 'manager', 'table', 'respond', 'reserve', 'hour']

Avant :     There are restaurants with views and then there are views with restaurants. This belongs to the latt
Après :     ['restaurant', 'view', 'view', 'restaurant', 'belong', 'group', 'know', 'view', 'involve', 'book']

Avant :     Restaurant Week Only:

I'm updating my review in support of a friend who made a reservation for 6 du
Après :     ['restaurant', 'week', 'update_review', 'support', 'friend', 'make_reservation', 'restaurant', 'week', 'tell', 'charge']

Avant :     I went here for a birthday dinner, when I called they stated they would put me in for a window table
Après :     ['birthday', 'dinner', 'call', 'state', 'put', 'window', 'table', 'realize', 'put', 'guarantee']

Avant :     I had high hopes for this place... been hearing about the view for as long as they have been open...
Après :     ['hope', 'place', 'hear', 'view', 'food', 'whack', 'pork', 'loin', 'bean', 'bland']

Avant :     Views are cool but inside the establishment is dated and unnecessarily stuffy with staff wearing sui
Après :     ['view', 'establishment', 'date', 'staff', 'wear', 'suit', 'tie', 'menu', 'limit', 'taste']

Avant :     You pay for the views but have to pay extra to sit near a window. Service was terrible. Took us an h
Après :     ['pay', 'view', 'pay', 'sit', 'window', 'service_terrible', 'take', 'hour', 'food', 'waiter']

Avant :     The only real draw of this place is the views. Located on the 37th floor of Liberty 2, you have basi
Après :     ['draw', 'place', 'view', 'locate', 'floor', 'liberty', 'view', 'recommend', 'sunset', 'service']

Avant :     Horrible service. We made a reservation on Yelp and called to confirm our reservation. Upon arrival,
Après :     ['service', 'make_reservation', 'yelp', 'call', 'reservation', 'arrival', 'inform', 'table', 'give', 'explanation']

Avant :     I'm so disappointed. It's supposed to be special for our 20th anniversary. I made a reservation for 
Après :     ['suppose', 'th', 'anniversary', 'make_reservation', 'arrive', 'table', 'offer', 'apology', 'make']

Avant :     Not coming back! Bartender was manhandling (barehanded) the olives for my dirty martini right in fro
Après :     ['come', 'bartender', 'manhandle', 'barehande', 'martini', 'pepper', 'flake', 'boyfriend', 'martini', 'glass']

Avant :     I was not as impressed as I thought I would be and I will not be returning. They really need more co
Après :     ['thought', 'return', 'need', 'consistency', 'enforce', 'dress', 'cheese', 'people', 'pricey', 'part']

Avant :     Bad place. I made a reservation for my sister's eighteenth birthday. They don't let us in because th
Après :     ['place', 'make_reservation', 'sister', 'birthday', 'let', 'think', 'friend', 'dress', 'code', 'allow']

Avant :     Never coming back. This is the second we've given then. Tonight, they charged us an extra $5, but wa
Après :     ['come', 'give', 'tonight', 'charge', 'deal', 'onion_ring', 'taste', 'vanilla', 'order', 'brownie']

Avant :     I clearly ordered UNSWEETENED iced tea. They came out with sweet tea. I just noticed in the reviews 
Après :     ['order', 'tea', 'come', 'tea', 'notice', 'review', 'thing', 'customer', 'point', 'server']

Avant :     (Should be ZERO stars)

Very poor experience on 6/11/16.  We waited about 20 minutes just to place o
Après :     ['star', 'experience', 'wait_minute', 'place', 'order', 'parking_spot', 'call', 'button', 'employee', 'see']

Avant :     Wish I could rate the food but the place that is supposed to be open until 11pm decided to close at 
Après :     ['wish', 'rate', 'food', 'place', 'suppose', 'pm', 'decide', 'pm', 'come', 'store']

Avant :     This place is awful. Went to get an unsweet tea with orange flavoring. I used to get is all the time
Après :     ['place', 'tea', 'flavoring', 'use', 'time', 'flavoring', 'drink', 'come', 'taste', 'cough']

Avant :     Once again I tried this place because my wife liked it. Semi good food but very poor service. Where 
Après :     ['try', 'place', 'wife', 'like', 'food', 'service', 'waitress', 'waitress', 'braid', 'ponytail']

Avant :     I wish I COULD review this restaurant....  I sent 3-4 emails and called 6-7 times to try and  purcha
Après :     ['wish', 'review', 'restaurant', 'send', 'email', 'call', 'time', 'try', 'purchase', 'gift_card']

Avant :     I have been coming to Grays since I have been born. It is so disappointing that this restaurant used
Après :     ['come', 'gray', 'bear', 'restaurant', 'use', 'star', 'star', 'food', 'quality', 'taste']

Avant :     Was there on April 27, 2018. Very disappointed as our food wasn't even lukewarm & it really only too
Après :     ['disappoint', 'food', 'take', 'minute', 'walk', 'table', 'think', 'trip', 'food', 'speak']

Avant :     Well, I can understand it's appeal to very old people with the comfort food selection, but I think t
Après :     ['understand', 'appeal', 'people', 'comfort', 'food', 'selection', 'think', 'place', 'see', 'day']

Avant :     Have been driving to Grays from Indy for years.  Haven't been there in a few months and was so disap
Après :     ['driving', 'gray', 'year', 'month', 'disappoint', 'carry', 'chicken', 'liver', 'cook', 'flavor']

Avant :     Used to be GREAT, now it is not very good.
Food is normally cold not fresh, really miss this place. 
Après :     ['use', 'food', 'place', 'use']

Avant :     I found this place through yelp figured this place would be great, but boy I was wrong ... ordered a
Après :     ['find', 'place', 'yelp', 'figure', 'place', 'boy', 'wrong', 'order', 'milk', 'tea']

Avant :     Boba consistency is lacking... basically hard with no chew. Tea that I tried was acceptable. 25c ext
Après :     ['boba', 'consistency', 'lack', 'chew', 'tea', 'try', 'charge', 'ice', 'explain', 'tell']

Avant :     While the shop was decorated well and the people were friendly, the visit was a bust.  Of the 4 drin
Après :     ['shop', 'decorate', 'people', 'visit', 'bust', 'drink', 'try', 'milk', 'tea', 'jasmine']

Avant :     This place has gone to shit, the new management has changed summer hours to 12:00-8:30 and yet I wen
Après :     ['place', 'shit', 'management', 'change', 'summer', 'hour', 'yesterday', 'close', 'call', 'know']

Avant :     The tea is not a big deal, staff is great. I have multiple punch cards and they will not combine the
Après :     ['tea', 'deal', 'staff', 'punch', 'card', 'combine', 'penalize', 'forget', 'card', 'buy']

Avant :     The only thing worse than the food was the horrible service. Wouldn't recommend this place to my wor
Après :     ['thing', 'food', 'service', 'recommend', 'place', 'enemy', 'eat', 'hour', 'life']

Avant :     Can I give less than 1 star? I was staying at the hotel and just needed a small salad to go. Not a c
Après :     ['give_star', 'stay_hotel', 'need', 'order', 'opinion', 'take_min', 'serve', 'order', 'hostess', 'thinking']

Avant :     Two stars because it was a pretty good burger and the waitress was nice and moderately attractive (a
Après :     ['star', 'burger', 'waitress', 'work', 'restaurant', 'casino', 'price', 'justify', 'quality', 'food']

Avant :     Worst service ever!!!! I never got my food!!!! I called them twice for them to tell me my food alrea
Après :     ['service', 'food', 'call', 'tell', 'food', 'hour']

Avant :     This place was great when they first open but now it's getting worse and worse. My food was horrible
Après :     ['place', 'food', 'order', 'cheese_steak', 'come', 'dry', 'look', 'smushe', 'buffalo_wing', 'sauce']

Avant :     I love El Sitio...in Isla Vista. I ordered a burrito with avocado, was charged extra for the avocado
Après :     ['order', 'avocado', 'charge', 'avocado', 'drive', 'work', 'eat', 'try', 'vista', 'quality']

Avant :     Super disappointed in this place! Their service was nice but their breakfast burrito is almost $9 ev
Après :     ['place', 'service', 'breakfast', 'advertise', 'addition', 'ok', 'arrive', 'size', 'cafeteria', 'school']

Avant :     I love the chicken quinoa bowl.  I've bought many times since they opened .  However I noticed durin
Après :     ['bowl', 'buy', 'time', 'open', 'notice', 'purchase', 'amount', 'chicken', 'tomatoe', 'today']

Avant :     I've eaten here twice. Once in 2007 and the second time was last week. I only ordered the sliders th
Après :     ['eat', 'time', 'week', 'order', 'slider', 'time', 'make', 'beef', 'stomach', 'thank']

Avant :     I will never (never say never) eat here again. Our table of four was expecting a fabulous experience
Après :     ['say', 'eat', 'table', 'expect', 'experience', 'setting', 'happen', 'service', 'untraine', 'course']

Avant :     The food is good, the service is mediocre at best. We came at a slow time on a Sunday, and our serve
Après :     ['food', 'service', 'mediocre', 'come', 'time', 'server', 'neglect', 'give', 'plate', 'silverware']

Avant :     My husband and I had dinner at Chase recently and while the atmosphere was interesting the rest of i
Après :     ['husband', 'dinner', 'atmosphere', 'rest', 'let', 'service', 'admit', 'server', 'seem', 'fact']

Avant :     Food:  Everything was too salty and the sauces tasted like they had been on the stove too long.  The
Après :     ['food', 'sauce', 'taste', 'stove', 'mojito', 'service', 'waiter', 'sound', 'guy', 'food']

Avant :     The two stars is for the soups included in the Milanese's and Provincial's pasta. The soups are the 
Après :     ['star', 'soup', 'include', 'pasta', 'soup', 'dish', 'night', 'fettucine', 'taste', 'pork']

Avant :     i took my girlfriend for her birthday but unfortunately "the great old Chase" that i remember is lon
Après :     ['take', 'girlfriend', 'birthday', 'chase', 'remember', 'staff', 'prize', 'food', 'start', 'bread']

Avant :     this restaurant is an icon to santa barbara, i remember when Angie use to greet us and treat all the
Après :     ['restaurant', 'icon', 'remember', 'angie', 'use', 'greet', 'treat_customer', 'family', 'life', 'chase']

Avant :     looked like a good place but no one greeted me or offered assistance. Bad service ill go down the st
Après :     ['look', 'place', 'greet', 'offer', 'assistance', 'service', 'street', 'see']

Avant :     Not a terrible place for a quick bite if you're in the CBD and craving Thai food, but definitely not
Après :     ['place', 'bite', 'cbd', 'crave', 'food', 'place', 'time', 'order', 'chicken', 'salad']

Avant :     I think this place is worse than Basil Leaf. 
This is the greasiest pad-thai, along with Thai Style 
Après :     ['think', 'place', 'basil', 'leaf', 'greasiest', 'pad_thai', 'cafe', 'palco', 'blvd', 'husband']

Avant :     Sorry to hear that the Singha Thai Cafe on Carondelet St. In New Orleans, LA has closed.  I ate ther
Après :     ['hear', 'close', 'eat', 'time', 'year', 'today', 'food', 'service', 'give_star']

Avant :     I almost feel bad saying anything negative about this place because they were so nice. The food was 
Après :     ['feel', 'say', 'place', 'food', 'cutlet', 'salad', 'people', 'place', 'feel', 'abandon']

Avant :     We went here, on advice from a newspaper review.  What a disappointment!  The bread was like Wonder 
Après :     ['advice', 'newspaper', 'review', 'disappointment', 'bread', 'wonder', 'bread', 'dip', 'marinara', 'red']

Avant :     It was first time visiting. and I didn't know what or how should I order my burger. but the cashier 
Après :     ['time', 'visit', 'order', 'help', 'unkind', 'rude', 'come']

Avant :     I ordered a turkey burger twice from here! And twice it was raw in the inside! And the messed up my 
Après :     ['order', 'burger', 'order', 'fry', 'time']

Avant :     I used to think this place was amazing. During office hours the place is fantastic but grabbing food
Après :     ['use', 'think', 'place', 'office', 'hour', 'place', 'grab', 'food', 'night', 'worker']

Avant :     The food - fantastic. Can't knock their burgers or fries, the topping selection, the taste or qualit
Après :     ['food', 'knock', 'burger', 'fry', 'top', 'selection', 'taste', 'quality', 'stop', 'people_work']

Avant :     I had a cheeseburger and fries. The burger wasn't seasoned and the fries were sooo salty. Wont be go
Après :     ['cheeseburger', 'fry', 'burger', 'season', 'fry', 'burger', 'axis', 'pizza', 'city']

Avant :     Awful awful awful. The chef got in a fight with a patron and we waited 45 min and still didn't get f
Après :     ['chef', 'fight', 'patron', 'wait_min', 'food', 'chef', 'throw', 'tomato', 'patron', 'argument']

Avant :     I was somewhat disappointed by the burgers at 500 Degrees, not the taste but the size. The burger wa
Après :     ['burger', 'degree', 'taste', 'size', 'burger', 'eaten', 'chance', 'sample', 'truffle_fry', 'price']

Avant :     Meh. The truffle fries were on point.

I ordered the 500 burger. The sauce, I wasn't a big fan of. I
Après :     ['truffle_fry', 'point', 'order', 'sauce', 'fan', 'order', 'come', 'friend', 'order', 'kind']

Avant :     Just ate a burger from there about 15 minutes ago. Had the 500 burger, ordered it medium. Got home a
Après :     ['eat', 'burger', 'minute', 'order', 'medium', 'home', 'take_bite', 'look', 'thing', 'understand']

Avant :     If I'm going to pay $9 for a burger, it better be good.  My last venture to 500 was a waste of my mo
Après :     ['pay', 'burger', 'venture', 'waste_money', 'turbo', 'pickle', 'fry', 'order', 'medium', 'come']

Avant :     After a friend told me how great this place was and I went to Sketch in fishtown I decided to stop h
Après :     ['friend', 'tell', 'place', 'fishtown', 'decide', 'stop', 'dinner', 'say', 'way', 'come']

Avant :     First experience, WOW the truffle burger and truffle fries, rule! Truffle overload! Second experienc
Après :     ['experience', 'truffle_fry', 'rule', 'overload', 'experience', 'place', 'enjoy', 'option', 'wait', 'review']

Avant :     Are you serious the burgers are the size of a half dollar .Come on give people what they pay for .i 
Après :     ['burger', 'size', 'dollar', 'come', 'give', 'people', 'pay', 'waste_time', 'writing']

Avant :     When I went to get a burger I was starving. Looked at reviews and figured I could not go wrong. Too 
Après :     ['burger', 'starve', 'look', 'review', 'figure', 'wrong', 'case', 'wait_min', 'order', 'register']

Avant :     Wasn't good today. We came In and the place reeked like someone just smoked weed. Homeless people lo
Après :     ['today', 'come', 'place', 'reek', 'smoke', 'weed', 'people', 'look', 'food', 'bother']

Avant :     The only thing worth getting 2stars were the sweet potatoe fries.  I don't know but I would think if
Après :     ['thing', 'star', 'potatoe', 'fry', 'know', 'think', 'burger', 'temperature', 'ask', 'burger']

Avant :     After 25 minutes sitting on that hard wooden bench waiting for my two shakes I finally had to leave.
Après :     ['minute', 'sit', 'bench', 'wait', 'shake', 'leave', 'waste', 'break', 'loosing', 'spend']

Avant :     Tried this place a few days after opening. I'd get into a lengthier review, but everyone else has ta
Après :     ['try', 'place', 'day', 'open', 'review', 'take', 'care', 'guy', 'burger', 'dry']

Avant :     The service and bathroom was horrible, The soap Dispenser didn't work (and the toilets were out of o
Après :     ['service', 'bathroom', 'soap', 'dispenser', 'work', 'toilet', 'order', 'zaxby', 'need', 'hire']

Avant :     Food was okay.  But,  expensive for what you get. 
Staff leaves a lot to be desired.  Seems like the
Après :     ['food', 'staff', 'leave', 'lot_desire', 'seem', 'hire', 'amount', 'money', 'bathroom', 'table']

Avant :     This particular location is terrible. They've gotten my order wrong more than once and they take way
Après :     ['location', 'order', 'wrong', 'take', 'drive', 'today', 'wait_minute', 'greet', 'suppose', 'use']

Avant :     Dirty. Dirty. Dirty. That's all I can say about this place. I love the food but this location was gr
Après :     ['dirty', 'say', 'place', 'love', 'food', 'location', 'spill', 'drink', 'ground', 'walk']

Avant :     This review is based on bad service. I drove 10 minutes to get my food. I ordered 12 tenders and ask
Après :     ['review', 'base', 'service', 'drive', 'minute', 'food', 'order', 'tender', 'ask', 'zaxby']

Avant :     So far I've been sitting here wanting to dine in for about 30 minutes and have yet to see a waitress
Après :     ['sit', 'want', 'minute', 'see', 'waitress', 'table', 'order', 'pizza', 'drink', 'counter']

Avant :     Horrible service. Ordered a pizza online. Saw email confirmation and called them 4 minutes later bec
Après :     ['service', 'order', 'pizza', 'see', 'email', 'confirmation', 'call', 'minute', 'order', 'tell']

Avant :     Terrible.. asked for delivery, was told they would deliver but received a call 5 min before it was t
Après :     ['ask', 'delivery', 'tell', 'deliver', 'receive', 'call', 'min', 'arrive', 'say', 'deliver']

Avant :     If you have to go to this place, don't get fish, they are not fresh. Average 20$ order takes about 1
Après :     ['place', 'fish', 'order', 'take', 'food', 'price', 'service']

Avant :     I have to say that this sushi place is very mediocre compared to the prices. Tasted like supermarket
Après :     ['say', 'compare', 'price', 'taste', 'supermarket', 'dumpling', 'meat', 'know', 'price', 'return']

Avant :     Beware. I arrived at 1:26 pm with only 2 orders ahead of my. My 2 rolls to 40 mins to come out.
Après :     ['beware', 'arrive', 'order', 'roll', 'min', 'come']

Avant :     This is the worst the ice cream is melty it melted all over my new adidas pants mind you it stained 
Après :     ['ice_cream', 'melty', 'melt', 'adida', 'pant', 'mind', 'stain', 'service', 'know', 'witch']

Avant :     The absolute worse service. Every. Single. Time. The blizzards are always sloppy and looked like a 7
Après :     ['service', 'time', 'blizzard', 'look', 'year', 'pour', 'drive', 'employee', 'wear_glove', 'sooooo']

Avant :     Very bad customer service very disrespectful and unprofessional it's sad how some employees ruined i
Après :     ['customer_service', 'employee', 'ruin', 'manager', 'need']

Avant :     We came here for the first time on a slow Sunday morning but didn't even get to eat. We came for bre
Après :     ['come', 'time', 'morning', 'eat', 'come', 'breakfast', 'wait_line', 'order', 'minute', 'people']

Avant :     Try's to have a cool hip vibe but doesn't deliver on anything else. Espresso was good but they are l
Après :     ['try', 'hip', 'vibe', 'deliver', 'espresso', 'food', 'desert', 'donelson', 'restaurant', 'look']

Avant :     The food here is delicious. However, I spent $12 for a sandwich and side and it took over 30 minutes
Après :     ['food', 'spend', 'sandwich', 'side', 'take', 'minute', 'order', 'receive', 'food', 'kid']

Avant :     I have been here several times and each time there is some sort of issue. Well today was the worst a
Après :     ['time', 'time', 'sort', 'issue', 'today', 'time', 'group', 'person', 'order', 'need']

Avant :     We came here on a Sunday to grab some lunch after a morning at the dog park. There was only one othe
Après :     ['come', 'morning', 'park', 'family', 'staff', 'seem', 'help', 'drink', 'offer', 'case']

Avant :     The ambience is cool, but the wait staff wasn't knowledgeable about the menu, and the food was below
Après :     ['ambience', 'wait', 'staff', 'menu', 'food', 'expectation', 'price', 'mcdonald', 'choice', 'breakfast']

Avant :     I came here this morning to grab a sandwich because they seriously have the best Reuben in town. Unf
Après :     ['come', 'morning', 'grab', 'sandwich', 'reuben', 'town', 'girl', 'work', 'take', 'order']

Avant :     Worst-run operation in Nashville. The food is delicious and the setting is ultra cool, but the servi
Après :     ['run', 'operation', 'set', 'service', 'refer', 'year', 'business', 'today', 'chance']

Avant :     Drove from Florida to see it because saw it on Food Network. The kale salad was the feature and we a
Après :     ['drive', 'see', 'see', 'food', 'network', 'feature', 'ask', 'time', 'say', 'kale']

Avant :     The service from the staff is beyond awful. It took well over 30 minutes for us to get our food. Whe
Après :     ['service', 'staff', 'take', 'minute', 'food', 'unappetizing', 'part', 'meal', 'leave', 'atmosphere']

Avant :     Really decent sandwiches & great hummus but be prepared to be frustrated at every turn.  We've eaten
Après :     ['sandwich', 'hummus', 'prepare', 'frustrate', 'turn', 'eat', 'time', 'return', 'moan', 'way']

Avant :     Price does not match quality of food. Servers are not attentive. Will not go back again.
Après :     ['price', 'match', 'quality', 'food', 'server', 'attentive']

Avant :     Not impressed. My husband and I decided to try take out this evening from this place. When we got ho
Après :     ['husband', 'decide', 'try', 'take', 'evening', 'place', 'home', 'open', 'daughter', 'spaghetti_meatball']

Avant :     Absolutely horrible food. The place was dirty and smelled. I ate here once and never again. Not too 
Après :     ['food', 'place', 'dirty', 'smell', 'eat', 'mention', 'staff', 'waste_time', 'money', 'give_star']

Avant :     Went with a group of northern friends recently for pizza.  I was very disappointed.  A small pizza c
Après :     ['group', 'friend', 'pizza', 'disappoint', 'pizza', 'come', 'doughy', 'crispy', 'pay', 'meatball']

Avant :     I was a little disappointed the food showed up cold and while it was relatively bland, it wasn't ter
Après :     ['food', 'show', 'recommend', 'order', 'option']

Avant :     The food is really good unfortunately the owners don't seem to give a shit. had a bad night and orde
Après :     ['food', 'owner', 'seem', 'give', 'shit', 'night', 'order', 'want', 'hear', 'comment']

Avant :     $13 for brisket and two sides? Bread over toasted. Brisket sliced way to thick, way to over compensa
Après :     ['brisket', 'side', 'bread', 'toast', 'brisket', 'slice', 'way', 'way', 'compensate', 'brisket']

Avant :     My husband and I came to this Bully's to watch the Nevada Wolfpack vs. Texas Tech football game on S
Après :     ['husband', 'come', 'watch', 'wolfpack', 'tech', 'football', 'game', 'quarter', 'bar', 'replace']

Avant :     Was excited for wings but the service was horrible. Cristal was our server didn't ask if we were oka
Après :     ['wing', 'service', 'server', 'ask', 'food', 'playing', 'hair', 'talk', 'waitress', 'make']

Avant :     Its a sports bar...service is good at best usually. Food is whatever. Great atmsosphere for watching
Après :     ['sport_bar', 'service', 'food', 'watch']

Avant :     Ordered a grilled ham and cheese.
Food showed up without the ham so sent back to the kitchen.  5 min
Après :     ['order', 'grill_cheese', 'food', 'show', 'send', 'kitchen', 'min', 'food', 'show', 'cook']

Avant :     Paul would be So Sad. I have been here with him before he passed and his hopes were so high. When we
Après :     ['sad', 'pass', 'hope', 'play', 'softball', 'come', 'service', 'pass', 'come', 'service']

Avant :     Wow! The manager Brian is the worst! I'm sorry but what manager cusses at customers and refuses to f
Après :     ['manager', 'cuss', 'customer', 'refuse', 'fix', 'sandwich', 'come', 'want', 'order', 'bully']

Avant :     Found this restaurant on Yelp and were looking forward to trying it. We must have been there on an o
Après :     ['find', 'restaurant', 'yelp', 'look', 'try', 'day', 'food', 'flavor', 'agree', 'season']

Avant :     Dinner was no good at all. Food was bland and they had very few options to choose from. The entertai
Après :     ['dinner', 'food', 'bland', 'option', 'choose', 'entertainment', 'buying', 'ticket', 'make', 'come']

Avant :     Dirty restaurant: various things just left laying about, including a metal bowl of rotisserie meat j
Après :     ['restaurant', 'thing', 'leave', 'lay', 'include', 'metal', 'bowl', 'rotisserie', 'meat', 'leave']

Avant :     Ok, I gave this place a third chance . Worst western omelet I ever had. Not to mention it took 20 mi
Après :     ['give', 'place', 'chance', 'omelet', 'mention', 'take', 'minute', 'eat', 'call', 'omelette']

Avant :     Decent place to get a drink and usual diner/bar food. It's always really crowded, and I'm not really
Après :     ['place', 'drink', 'diner', 'bar', 'food', 'crowd', 'diner', 'liquor', 'license', 'portion']

Avant :     Overprice Greek diner with a "Sports Bar"attached, neither of which are well executed. Better places
Après :     ['overprice', 'greek', 'diner', 'sport_bar', 'attach', 'execute', 'place', 'area', 'watch_game', 'eat']

Avant :     Terrible meal all around. California crispy chicken? What, two tiny silvers of avocado make it that?
Après :     ['meal', 'silver', 'avocado', 'make', 'chicken_breast', 'chocolate_chip', 'pancake', 'edge']

Avant :     I had the open Ruben.  Well, then read was soggy, the meat was tripled boiled.  Would not recommend 
Après :     ['ruben', 'read', 'meat', 'triple', 'boil', 'recommend', 'note', 'friend', 'think', 'pancake']

Avant :     Went to the Phily diner to have breakfast this morning. Completely new menu. All of the prices have 
Après :     ['diner', 'breakfast', 'morning', 'menu', 'price', 'raise', 'breakfast', 'special', 'weekend', 'people']

Avant :     Consistency seems to be a major issue here.  Sometimes, their food is awesome.  Other times, it tast
Après :     ['consistency', 'seem', 'issue', 'food', 'time', 'taste', 'cook', 'microwave', 'time', 'chicken']

Avant :     I love NJ diners and miss them horribly. That said... Give this one a pass. The food was awful, the 
Après :     ['love', 'diner', 'miss', 'say', 'give', 'pass', 'food', 'part', 'meal', 'scrapple']

Avant :     I was disappointed. Soup was flavorful but not hot, roast beef club was good, slaw just average and 
Après :     ['soup', 'roast_beef', 'club', 'slaw', 'fry', 'cook', 'server', 'year', 'recall']

Avant :     Eh, this place is just blah.  I've had much better diner food.  The service is great and it's open 2
Après :     ['place', 'diner', 'food', 'service', 'hour', 'food', 'taste', 'microwave', 'frozen']

Avant :     I hate this diner. If you are looking for over-priced mediocre food, then look no further.

The Club
Après :     ['hate', 'diner', 'look', 'price', 'food', 'look', 'club', 'diner', 'food', 'half']

Avant :     I really liked this place at one time.   Now the service has suffered.  Staff is pleasant enough, bu
Après :     ['like', 'place', 'time', 'service', 'suffer', 'staff', 'game', 'seat', 'minute', 'stop']

Avant :     I wish I could give less than one star.My sister and I stopped in for a drink and something to eat. 
Après :     ['wish', 'give_star', 'sister', 'stop', 'drink', 'eat', 'sit_bar', 'shoe', 'stick', 'bar']

Avant :     This pictures I'm attaching to this... Says it ALL! 

Stopped there to buy a pie to take home to my 
Après :     ['picture', 'attach', 'say', 'stop', 'buy', 'pie', 'take', 'home', 'parent', 'watch']

Avant :     I am a frequent customer and have been for years. I have watched this place slowly deteriorate. To b
Après :     ['customer', 'year', 'watch', 'place', 'deteriorate', 'coffee', 'scone', 'scone', 'coffee', 'use']

Avant :     This place is closed.  YELP won't update the listing but trust me - they are gone!  No bill pay - no
Après :     ['place', 'close', 'yelp', 'update', 'list', 'trust', 'bill', 'pay', 'restuaranty']

Avant :     I let the owner know that this was my first time trying Thai food, and tried a dish under her recomm
Après :     ['let', 'owner', 'know', 'time', 'try', 'food', 'try', 'dish', 'recommendation', 'bite']

Avant :     Really disappointed in the meal. Food bland and tasted like the chef was not Thai. The appetizer sou
Après :     ['disappoint', 'meal', 'food', 'bland', 'taste', 'egg_roll', 'curry', 'flavor', 'pad', 'husband']

Avant :     The food here was "just OK" in my opinion. I had the Pad Thai and it just didn't have that authentic
Après :     ['food', 'opinion', 'pad', 'flavor', 'time', 'stand', 'spring_roll', 'friend', 'fry_rice', 'stir_fry']

Avant :     Worst Thai food and service I've ever had. Will not be back. Quite disappointed since the review wer
Après :     ['food', 'service', 'review']

Avant :     I went tonight with my wife. The calamari and ginger salad are very delicious and while my wife enjo
Après :     ['tonight', 'wife', 'salad', 'wife', 'enjoy', 'meal', 'order', 'pad_thai', 'smell', 'dog']

Avant :     If you go to Bernies an order the poutine, make sure they put the cheese curds in! Ordered poutine t
Après :     ['bernie', 'order', 'poutine', 'make', 'put', 'cheese', 'curd', 'order', 'poutine', 'tonight']

Avant :     Over cooked burnt chicken just what I always wanted! thank again for your great food! Arby's definit
Après :     ['cook', 'burn', 'chicken', 'want', 'thank', 'food', 'use', 'use', 'know', 'food']

Avant :     The place is impeccably clean and the services was very friendly. I was so looking forward to having
Après :     ['place', 'clean', 'service', 'look', 'food', 'place', 'disappointment', 'say', 'food', 'food']

Avant :     It's a bit too Americanized for me. I didn't think it was authentic Indian.
It's like Panda Express 
Après :     ['bit', 'think', 'food', 'continue', 'place', 'sizzle', 'palace', 'side', 'decor', 'service']

Avant :     This place is a scam. They serve drinks where you do not taste the alcohol. The bartenders complain 
Après :     ['serve', 'drink', 'taste', 'alcohol', 'bartender', 'complain', 'tip', 'leave', 'bar', 'customer']

Avant :     I meaaaaan I feel like from the good reviews that maybe I'm an anomaly for having a bad experience. 
Après :     ['meaaaaan', 'feel', 'review', 'experience', 'need', 'see', 'place', 'day', 'vibe', 'night']

Avant :     Understaffed for brunch the Sunday after gasparilla. It took 30 minutes to get a Bloody Mary after I
Après :     ['brunch', 'gasparilla', 'take', 'minute', 'mary', 'order', 'people', 'come', 'drink', 'food']

Avant :     This place went to pure shit without the old staff this place will never survive. New staff treats p
Après :     ['place', 'shit', 'staff', 'place', 'survive', 'staff', 'treat', 'people', 'shit', 'manager']

Avant :     Great drink and tapas menu ruined by unbelievably bad service.   Came in around 7 with almost no oth
Après :     ['drink', 'menu', 'ruin', 'service', 'come', 'patron', 'seem', 'bartender', 'preppe', 'evening']

Avant :     Came here with some friends during Mardi Gras. Even though it was a busy weekend and lots of people 
Après :     ['come', 'friend', 'mardi', 'gra', 'weekend', 'lot', 'people', 'lot', 'place', 'crowd']

Avant :     Over priced . Every time I go there the owner works the register and changes the prices . He just gu
Après :     ['price', 'time', 'owner', 'work', 'register', 'change', 'price', 'guess', 'food', 'hill']

Avant :     How has this place survived???? In Germantown no less?!?!?!? The old guy behind the counter (I'm ass
Après :     ['place', 'survive', 'guy', 'counter', 'assume', 'proprietor', 'unwelcome', 'order', 'cheesesteak', 'fry']

Avant :     There's another review of this place that was filtered out and I think they were on to something. I'
Après :     ['review', 'place', 'filter', 'think', 'walk', 'place', 'delivery_guy', 'eat', 'slice', 'cheese']

Avant :     I was a patron here for years.  We've spent over $4000 here over the last five years.  And last mont
Après :     ['year', 'spend', 'year', 'month', 'send', 'burn', 'pizza', 'salad', 'call_complain', 'scream']

Avant :     Cockroach in my room, wifi is slower than aol in 1996, private beach costs $10 a chair. I'll never c
Après :     ['wifi', 'beach', 'cost', 'chair', 'come']

Avant :     Great for drinking, live music, and atmosphere.  Ok for food.  Bad for service.  

When you order sn
Après :     ['drink', 'music', 'atmosphere', 'food', 'service', 'order', 'snow', 'crab', 'restaurant', 'amount']

Avant :     I gave them a 2 star because of their jet ski rental employees . MATT the  supervisor there is unfit
Après :     ['give', 'jet', 'ski', 'rental', 'employee', 'handle', 'supervise', 'employee', 'rent', 'locker']

Avant :     We had the opportunity to stay here last weekend. The building/facilities are very nice! The custome
Après :     ['opportunity', 'stay', 'weekend', 'building', 'facility', 'customer_service', 'interaction', 'desk', 'issue', 'hair']

Avant :     Awesome outdoor atmosphere with a live band. Terrible SLOW service. The worst we've had in Clearwate
Après :     ['atmosphere', 'live', 'band', 'service', 'clearwater', 'drink', 'dive_bar', 'order', 'vodka', 'goose']

Avant :     I go there every Sunday all day spent over 1000$ i got kicked out the club because one guy of securi
Après :     ['day', 'spend', 'kick', 'club', 'guy', 'security', 'find', 'name', 'update', 'post']

Avant :     Wow what a disappointing trip here.the restaurants are closed.there ls no band tonight when I made m
Après :     ['trip', 'restaurant', 'close', 'band', 'tonight', 'make', 'resavation', 'say', 'entertain', 'place']

Avant :     Great area. Terrible employees. This place is run by disrespectful people who don't know how to trea
Après :     ['area', 'employee', 'place', 'run', 'people', 'know', 'treat', 'people', 'spend_money', 'establishment']

Avant :     Nice hotel but tiny beach and you can't walk on it with out shoes. Broken glass, bottle caps, and sh
Après :     ['hotel', 'beach', 'walk', 'shoe', 'break', 'glass', 'bottle', 'cap', 'shell', 'hotel']

Avant :     The only reason to visit here is if you're desperate for a beer and a good view of a sunset.  The ti
Après :     ['reason', 'visit', 'beer', 'view', 'sunset', 'bar', 'food', 'feature', 'order', 'shrimp']

Avant :     This place is the worst. Why ruin a perfectly good beach with blasting, thumping and inescapable tra
Après :     ['place', 'ruin', 'beach', 'blast', 'thump', 'club', 'music', 'nightmare', 'theme', 'party']

Avant :     Very rude "managers" who threatened to sue me when I said I'd leave them a bad review... Can you bel
Après :     ['manager', 'threaten', 'sue', 'say', 'leave', 'review', 'believe', 'stay']

Avant :     It's not a bad place to hang out but the security would rather let in people that obviously have had
Après :     ['place', 'hang', 'security', 'let', 'people', 'drink', 'let', 'driver', 'witch', 'understand']

Avant :     The response from Cody P. was so typical of a resort trying to save face. Obviously has not read the
Après :     ['response', 'cody', 'resort', 'try', 'save', 'face', 'read', 'glow', 'review', 'review']

Avant :     Worst bar/club ever. I'm tempted to file a law suit because of how poorly my husband and I were trea
Après :     ['bar', 'club', 'tempt', 'file', 'law', 'suit', 'husband', 'treat', 'discriminate', 'club']

Avant :     Very nice updated resort. Service was awesome. But pool was cloudy. Our main compliant was the club 
Après :     ['update', 'resort', 'service', 'pool', 'compliant', 'club', 'noise', 'floor', 'club', 'floor']

Avant :     Looks nice, but service is terrible. In five days our room was never cleaned and anytime you talk to
Après :     ['look', 'service', 'day', 'room', 'clean', 'talk', 'employee', 'try', 'change', 'heart']

Avant :     The staff of this Hotel is extremely arrogant. My room was not ready on time they told me they would
Après :     ['staff', 'hotel', 'room', 'time', 'tell', 'call', 'seem', 'business', 'repeat', 'customer']

Avant :     After months of being closed for rehab we had to go to our favorite place for buffet. 
Save your har
Après :     ['month', 'close', 'place', 'earn_money', 'put', 'money', 'make', 'place', 'look', 'cut']

Avant :     worst sandwich I have ever had. after asking if they used fresh mushrooms ... nope, or even make the
Après :     ['sandwich', 'ask', 'use', 'mushroom', 'nope', 'make', 'meatball', 'chicken_parm', 'sandwich', 'consist']

Avant :     Ordered a cold meatloaf sandwich on white bread with mayo and ketchup. Real simple. I received a toa
Après :     ['order', 'sandwich', 'bread', 'mayo', 'ketchup', 'receive', 'meatloaf', 'sandwich', 'cheese', 'order']

Avant :     Great food and people, but they are closed every time I try to go there. My advice would be to call 
Après :     ['food', 'people', 'close', 'time', 'try', 'advice', 'call', 'drive_distance']

Avant :     My friend bought an iced coffee and found gross gooey things in it. We will never buy another iced c
Après :     ['friend', 'buy', 'coffee', 'find', 'gooey', 'thing', 'buy', 'coffee']

Avant :     I walked in and stood at the counter for 2 minutes before even being acknowledged, manager walked by
Après :     ['walk', 'stand', 'minute', 'acknowledge', 'manager', 'walk', 'greet', 'customer_service', 'order', 'eat']

Avant :     Average to below average food. Below average wait staff.

Standard food options with some unusual mi
Après :     ['food', 'staff', 'food', 'option', 'miss', 'choice', 'addition', 'example', 'wing', 'meatloaf']

Avant :     I love the staff there, but each time, I've gone, the past 3 to eat the food was mediocre at best...
Après :     ['love', 'staff', 'time', 'eat', 'food', 'chip_salsa', 'seem', 'food', 'service', 'people_work']

Avant :     Im giving two stars because our waitress, Ali was great she was attentive and sweet. The overall est
Après :     ['give_star', 'waitress', 'establishment', 'mess', 'wait_min', 'come', 'table', 'point', 'notice', 'waitress']

Avant :     This is the worst wawa I have every been too the lanes are always long and they just let the bums an
Après :     ['wawa', 'lane', 'let', 'bum', 'people', 'people', 'stand', 'hangout', 'buy', 'make']

Avant :     The Pennsylvania Ave Downingtown Wawa is without a doubt the dirtiest Wawa that I have ever been to.
Après :     ['ave', 'downingtown', 'smear', 'window', 'coffee', 'station', 'trash', 'spillage', 'overflow', 'coffee']

Avant :     Probably the worst Wawa in the tristate region. They are always out of stuff. And the stuff they do 
Après :     ['wawa', 'tristate', 'region', 'stuff', 'stuff', 'quality', 'come', 'love', 'wawa', 'food']

Avant :     I yelped GAS STATIONS. This is just a WAWA store, they do not have a gas station or even a parking l
Après :     ['yelp', 'gas_station', 'store', 'gas_station', 'park', 'lot', 'yelp']

Avant :     Needed to beg for my sandwich to be cut in half. Dont argue with a customer for such a small thing t
Après :     ['need', 'beg', 'sandwich', 'cut', 'half', 'argue', 'customer', 'thing', 'bunch', 'people']

Avant :     I must say I was very disappointed I read the reviews and I had high hopes but I would not go back. 
Après :     ['say', 'read_review', 'hope', 'back', 'order', 'slab', 'brisket', 'home', 'eat', 'rib']

Avant :     Service was quick but frankly, the food was not up to par. No Mac & cheese or cornbread on a Saturda
Après :     ['service', 'food', 'par', 'cheese', 'cornbread', 'budweiser', 'food', 'preppe', 'microwave', 'bean']

Avant :     The worst... Food was cold and tasteless.  We thought we were eating week old leftovers.  When this 
Après :     ['food', 'tasteless', 'thought', 'eat', 'week', 'leftover', 'place', 'close', 'hope', 'guy']

Avant :     We had a very disappointing meal here  the hummus was flavorless and overly thick. The lemon soup wa
Après :     ['meal', 'hummus', 'flavorless', 'lemon', 'soup', 'overpower', 'lemon', 'flavor', 'gyro', 'meat']

Avant :     Will not eat here again! I must admit I have had some very nice meals here in the past. Their basil 
Après :     ['admit', 'meal', 'basil', 'chicken', 'bit', 'spiciness', 'night', 'order', 'basil', 'eat']

Avant :     Thanks to extremely poor customer service that is driven from the store management, my wife and I go
Après :     ['thank', 'customer_service', 'drive', 'store', 'management', 'wife', 'avoid', 'starbuck', 'thing', 'order']

Avant :     Never going back to this place, i went in 45 minutes before close the snarky waitress was rushing us
Après :     ['place', 'minute', 'snarky', 'waitress', 'rush', 'end', 'order', 'fish', 'experience', 'food_poisoning']

Avant :     1st time going here. The salmon was disgusting and the deep fried crab was burnt. Had to throw it al
Après :     ['time', 'salmon', 'fry', 'crab', 'burn', 'throw', 'waste']

Avant :     Failed a Health Department surprise inspection and was temporarily shut down: http://wfla.com/2015/0
Après :     ['fail', 'health', 'department', 'surprise', 'inspection', 'shut', 'com', 'rodent', 'roach', 'restaurant']

Avant :     Even half priced feels overpriced when the service is so poor you cant get water when you literally 
Après :     ['price', 'feel', 'overprice', 'service', 'water', 'flag', 'woman', 'hold', 'water', 'pitcher']

Avant :     Very disappointed in my last visit.  The ginger sauce had little to no ginger in it, tasted more lik
Après :     ['visit', 'ginger', 'sauce', 'ginger', 'taste', 'ketchup', 'sauce', 'chicken', 'cut', 'bite']

Avant :     The deals that are offered at Ninki are great (who wouldn't want 50% off sushi rolls!), but the actu
Après :     ['deal', 'offer', 'ninki', 'want', 'taste', 'try', 'fry_rice', 'husband', 'bland', 'thing']

Avant :     Service:so,so. I already finished my meat, without rice. 
Food : the fired pork is overheated, so dr
Après :     ['service', 'finish', 'meat', 'rice', 'food', 'fire', 'pork', 'overheat']

Avant :     Horrible, the service was good but the food is awful. We are put of state people who came to Nashvil
Après :     ['service', 'food', 'put', 'state', 'people', 'come', 'weekend', 'hype', 'hear', 'food']

Avant :     I wish I didn't have to do this. I am a long time customer, love the place. Until last night. My fri
Après :     ['wish', 'time', 'customer', 'love', 'place', 'night', 'friend', 'experience', 'ptsd', 'sit']

Avant :     We stopped at Tako due to the positive reviews on yelp. We brought a bottle of white wine with us, t
Après :     ['stop', 'review_yelp', 'bring', 'bottle_wine', 'staff', 'bring', 'ice', 'chill', 'bucket', 'take']

Avant :     Aside from having a private party room I see little reason to go there.  The food's just okay.  I've
Après :     ['party', 'room', 'see', 'reason', 'food']

Avant :     I came here because of the great reviews.  HUGE mistake.  We were the only table but it took at leas
Après :     ['come', 'review', 'mistake', 'table', 'take_min', 'food', 'time', 'ask', 'waitress', 'serve']

Avant :     I waited with a friend for fifteen minutes with no one in front of us, and they never seated us. We 
Après :     ['wait', 'friend', 'minute', 'front', 'seat', 'pick', 'menu', 'sit', 'waitress', 'take']

Avant :     This place is really poor on the service. I don't think they know how to handle the rush of people t
Après :     ['place', 'service', 'think', 'know', 'handle', 'rush', 'people', 'come', 'table', 'clean']

Avant :     We waited at the "wait to be seated" sign for about 10 minutes. We eventually flagged down someone b
Après :     ['wait', 'wait', 'sign', 'minute', 'flag', 'counter', 'tell', 'pick', 'seat', 'minute']

Avant :     No stars this is the nasties place to eat she is texting while making food... I seen another Waiter 
Après :     ['star', 'nastie', 'place', 'eat', 'texting', 'make', 'food', 'see', 'waiter', 'smell']

Avant :     I mean, what can you say. The place is a kitchy nasty chain. It's so plastic, its like... Las Vegas 
Après :     ['say', 'place', 'kitchy', 'chain', 'plastic', 'plastic', 'menu', 'meager', 'shake', 'validate']

Avant :     Food: 2
Decor: 2.5
Ambiance: 3
Service: 3.5
Value: 2.5

I love the concept of a 50's diner. Far too 
Après :     ['food', 'ambiance', 'service', 'value', 'love', 'concept', 'diner', 'execution', 'fall', 'expectation']

Avant :     Simply terrible.  

The server brought the sodas out after our food, then got both orders wrong.  No
Après :     ['server', 'bring', 'soda', 'food', 'order', 'care', 'bring', 'burger', 'tell', 'onion']

Avant :     It smelled literally like a toilet.
We got shakes to go (they were pretty good) but couldn't stay be
Après :     ['smell', 'toilet', 'shake', 'stay', 'smell']

Avant :     There wasn't really anything special here, but that is to be expected. I like when they have to danc
Après :     ['expect', 'dance', 'song', 'vibe', 'food', 'come', 'quantity', 'leave', 'side', 'draw']

Avant :     Horrible!...My 15 year old son and 4 friends visited this location tonight!..they waited 30 minutes 
Après :     ['year', 'son', 'friend', 'visit', 'location', 'tonight', 'wait_minute', 'come', 'wait', 'waitress']

Avant :     You got that right Yelp, Methinks NOT. Johnny Rockets is not a good choice for anything but milkshak
Après :     ['yelp', 'methink', 'rocket', 'choice', 'milkshake', 'seem', 'staff', 'handle', 'service', 'put']

Avant :     I had the worst dining experience of my life at this place. I was seated then had to wait 30 minutes
Après :     ['dining_experience', 'life', 'place', 'seat', 'wait_minute', 'try', 'sell', 'knock', 'beat', 'headphone']

Avant :     Food is ok, but the service was terrible. I sat without a refill on my drink for over 1/2 of my meal
Après :     ['food', 'service_terrible', 'sit', 'refill_drink', 'meal', 'price', 'drink', 'tea', 'back', 'money']

Avant :     Las Palmas in Franklin is CLOSED. I saw this coming as the food, service level, management engagemen
Après :     ['see', 'come', 'food', 'service', 'level', 'management', 'engagement', 'quality', 'slide', 'couple']

Avant :     Holy hell what a dump, first of all the staff does not speak, Who knows if they speak English I just
Après :     ['dump', 'staff', 'speak', 'know', 'speak', 'speak', 'time', 'order', 'point', 'food']

Avant :     This place is tucked back in the corner of a complex that also holds Kroger and Dick's Sporting Good
Après :     ['place', 'tuck', 'corner', 'complex', 'hold', 'sport', 'good', 'parking', 'decor', 'restaurant']

Avant :     Been there twice screwed up order both times. Should I try for " Third time a charm" ?  NOT !!!!! HA
Après :     ['screw', 'order', 'time', 'try', 'time', 'charm', 'hate', 'chicken', 'popeye']

Avant :     So darn overrated .So greasy and chicken is fatty and gristle .I gave it many chances.And the biscui
Après :     ['darn', 'overrate', 'give_chance', 'biscuit', 'use', 'suck', 'greasy', 'fry', 'take', 'kfc']

Avant :     ordered through grubhub first time (6.99 delivery fee) i dont recommend it. They forgot to give soup
Après :     ['order', 'time', 'delivery_fee', 'recommend', 'forgot', 'give', 'soup', 'cheesesteak', 'find', 'soup']

Avant :     Yuck!! This place was horrible. Bland cafeteria style food thats luke warm with no flavor. I receive
Après :     ['place', 'bland', 'cafeteria_style', 'food', 'flavor', 'receive', 'bean', 'doctor', 'chocolate', 'make']

Avant :     Basic old diner style food stuck in 70's...  Decor is beyond dated, but can be extremely retro and f
Après :     ['diner', 'style', 'food', 'stick', 'decor', 'date', 'retro', 'care', 'cleaning', 'menu']

Avant :     Tom Jones food is not good. Go to Aston Diner open 24 hours every day. The food is much better. Spri
Après :     ['diner', 'hour', 'day', 'food', 'springfield', 'hour', 'weekend', 'week', 'think', 'food']

Avant :     yuck, yuck, and yuck.....eloquent i know....i went to visit my mother in florence, and thought i'd p
Après :     ['visit', 'mother', 'florence', 'think', 'pick', 'dissappointe', 'order', 'roll', 'meat', 'parm']

Avant :     This place is a joke. Never going there again. No concept of customer service at all. Food is medioc
Après :     ['place', 'joke', 'concept', 'customer_service', 'food']

Avant :     I really disliked my pizza I ordered through you guys through Bite Squad, the new mobile app for del
Après :     ['dislike', 'pizza', 'order', 'guy', 'bite', 'app', 'delivery', 'service', 'order', 'cheese_steak']

Avant :     Service was horrible. The food was tasteless and cold. As a local resident, I've been there many tim
Après :     ['service', 'food', 'resident', 'time', 'last']

Avant :     Awful! I got the Italian Hoagie. The meat was brown, the cheese tasted off. Not made fresh. When we 
Après :     ['hoagie', 'cheese', 'taste', 'make', 'order', 'clean', 'fryer', 'order', 'fry', 'onion_ring']

Avant :     Coming from a Mexican background, I can tell that this is not an authentic Mexican restaurant. The r
Après :     ['come', 'background', 'tell', 'restaurant', 'rice', 'store_buy', 'bean', 'come', 'guacamole', 'buy']

Avant :     The customer service was bad. The margaritas were worse. Mine was so sour that I asked for another s
Après :     ['customer_service', 'margarita', 'sour', 'ask', 'shot', 'waitress', 'ask', 'charge', 'dollar', 'margarita']

Avant :     The food is usually good but the service is continually disappointing. Seems like you practically ha
Après :     ['food', 'service', 'seem', 'server', 'chip', 'today', 'split_check', 'ask', 'server', 'put']

Avant :     The food here is edible, but not in any way inspired.  This is basic Anglo "Mexican" food; I'll eat 
Après :     ['food', 'way', 'inspire', 'food', 'eat', 'way', 'storefront', 'place', 'reno', 'serve']

Avant :     The only thing good here was the service the waiter was always on top of everything and came by to a
Après :     ['thing', 'service', 'waiter', 'come', 'ask', 'meal', 'food', 'bland', 'taste', 'difference']

Avant :     I haven't eaten here in a while because a friend of mines quit, due to rude employers. But I was jus
Après :     ['eat', 'friend', 'mine', 'quit', 'employer', 'starve', 'order', 'omelette', 'veggie', 'wrap']

Avant :     It takes alot to get me mad, and Trios did it. Ill never again eat from this poorly ran place of bui
Après :     ['take', 'alot', 'trio', 'eat', 'run', 'place', 'need', 'learn', 'respect', 'talk']

Avant :     This place serves up dreck.  I don't know what these other Yelp users see in it.  From flat, largely
Après :     ['place', 'serve', 'dreck', 'know', 'yelp', 'user', 'see', 'flavourless', 'pho', 'spring_roll']

Avant :     We stopped here a couple weeks ago to have dinner during the week.  The lady that seated us was rude
Après :     ['stop', 'couple_week', 'dinner', 'week', 'seat', 'rude', 'seem', 'inconvenience', 'ask', 'water']

Avant :     Wish I could give it zero stars. We were there for two hours. The first one and a half were spent pa
Après :     ['wish', 'give_star', 'hour_half', 'spend', 'wait', 'food', 'round', 'drink', 'wait', 'table']

Avant :     It is hard to believe that this place is so constantly packed, given its mediocre reviews.  I must c
Après :     ['believe', 'place', 'pack', 'give', 'review', 'confess', 'year', 'plate', 'say', 'give_chance']

Avant :     Wow - this place has such potential. Obvious case of meritocracy (at best) is totally acceptable whe
Après :     ['place', 'case', 'meritocracy', 'competition', 'burger', 'order', 'come', 'cook', 'topping', 'service']

Avant :     Food is good and the setting is very nice, but the service kinda sucks A LOT!  I've been back a few 
Après :     ['food', 'set', 'service', 'suck', 'lot', 'time', 'think', 'night', 'time', 'plate']

Avant :     I just got back from eating an awful meal. It was listed as a spicy sausage dish served over penne. 
Après :     ['eat', 'meal', 'list', 'sausage', 'dish', 'serve', 'penne', 'taste', 'anchovy', 'salt']

Avant :     Giant relative to a hot dog, maybe, but definitely not a giant sub. I pulled into this place late at
Après :     ['dog', 'sub', 'pull', 'place', 'night', 'area', 'crave', 'sub', 'experience', 'standard']

Avant :     The wings were so small and super salty. The wing size was about the side of two quarters laying sid
Après :     ['wing', 'wing', 'size', 'side', 'quarter', 'lay', 'side', 'side', 'disappoint']

Avant :     Ordered the full slab for $26 expecting the meal to feed at least four people. 
Although the meat wa
Après :     ['order', 'slab', 'expect', 'meal', 'feed', 'people', 'meat', 'plentiful', 'come', 'container']

Avant :     Visited on 12/16/14
We have tried this restaurant location under various management.  So when we saw
Après :     ['visit', 'try', 'restaurant', 'location', 'management', 'see', 'name', 'want', 'give_chance', 'give']

Avant :     The waitress was friendly and efficient. The home made potato chips were the best part of the meal. 
Après :     ['waitress', 'home', 'make', 'potato', 'chip', 'part', 'meal', 'lack_flavor', 'friend', 'say']

Avant :     My party of 2 was seated very quickly, however the service was extremely slow especially for a Wedne
Après :     ['party', 'seat', 'service', 'night', 'server', 'bring', 'guacamole', 'think', 'bill', 'come']

Avant :     The food and drinks are very good but for the second time in a row our meals were cold. After the fi
Après :     ['food', 'drink', 'time', 'row', 'meal', 'incidence', 'call', 'restaurant', 'spoke', 'manager']

Avant :     Going to BBQ BBQ was one of the most disappointing BBQ comfort food experience I have had in the USA
Après :     ['experience', 'credit', 'give', 'meat', 'cook', 'temperature', 'entry', 'restaurant', 'greet', 'smell']

Avant :     Wow can't pick no stars a real shame, had this food never revisit or eat here even if it was free or
Après :     ['pick', 'star', 'shame', 'food', 'revisit', 'eat', 'pay', 'rib', 'potato', 'taste']

Avant :     BBQ BBQ Is closed.  Went by on 1/5/17 the sign is down and a new restaurant is coming soon.
Après :     ['sign', 'restaurant', 'come']

Avant :     When I called she put me on hold 3 times. Was very rude. Then when delivery came received wrong orde
Après :     ['call', 'put_hold', 'time', 'delivery', 'come', 'receive', 'order', 'fix', 'service']

Avant :     This was the worst Chinese food I have ever had. Tasteless soup. Dry and over cooked wontons. The bo
Après :     ['food', 'soup', 'cook', 'wonton', 'bourbon', 'chicken', 'make', 'staff', 'make', 'want']

Avant :     I ordered fried rice, not yellow rice.

The rice was not fried, the shrimp was under cooked, and i r
Après :     ['order', 'fry_rice', 'rice', 'rice', 'fry', 'shrimp', 'cook', 'care', 'fry_rice', 'waiting']

Avant :     We're new to the area, so we thought we'd give this local restaurant a try for some carry out chines
Après :     ['area', 'think', 'give', 'restaurant', 'try', 'carry', 'yike', 'wife', 'order', 'fry_rice']

Avant :     Food is okay, not great or amazing. The lo mein tasted a little plain to me, the pork fried rice is 
Après :     ['food', 'taste', 'pork', 'fry_rice', 'pork', 'rice', 'egg_roll', 'mean', 'place', 'rush']

Avant :     I used to come here a lot. However I will not be coming here very often in the future because the cu
Après :     ['use', 'come', 'lot', 'come', 'customer_service', 'seem', 'lack', 'order', 'disappointing', 'make']

Avant :     Love their soups...hate their sandwiches.  

I have eaten here twice and both times got the bowl of 
Après :     ['love', 'soup', 'hate', 'sandwich', 'eat', 'time', 'soup', 'half', 'sandwich', 'combo']

Avant :     I was a huge fan of this Panera, not so much anymore. I would eat here often, 3 days a week. Last we
Après :     ['fan', 'panera', 'eat', 'day', 'week', 'week', 'onion_soup', 'open', 'soup', 'stirring']

Avant :     Food is the same as that from any other panera.  Service is just not that friendly though. Pardonnez
Après :     ['service', 'moi', 'ask', 'freezer', 'bag', 'bagel', 'cause', 'exert', 'effort']

Avant :     There was no waiting line but still no one wanted to sit us even though many asked how many for dinn
Après :     ['wait_line', 'want', 'sit', 'ask', 'dinner', 'site', 'come', 'table', 'restroom', 'toilet_paper']

Avant :     We eat here a lot for breakfast and dinner.  I probably will not be back anytime soon.  The food was
Après :     ['eat', 'lot', 'breakfast', 'dinner', 'food', 'serve', 'breakfast', 'dinner', 'rude', 'walk']

Avant :     Dont bother.  New management going in different direction.  Now just a hotel restaurant like all the
Après :     ['bother', 'management', 'direction', 'hotel', 'restaurant']

Avant :     Over priced medicore bar food. 

They have a new menu. The menu on their website contained some bett
Après :     ['price', 'bar', 'food', 'menu', 'menu', 'website', 'contain', 'option', 'slimme', 'menu']

Avant :     Ok wow. What a let down. 

1. The only reason it gets two stars is because the sushi roll called the
Après :     ['let', 'reason_star', 'call', 'superdome', 'service', 'take', 'hour', 'sit', 'pay_bill', 'hurry']

Avant :     So slow... Waited at the bar to be seated. 30 minutes later we sat down. We waited another 15 minute
Après :     ['wait', 'bar', 'minute', 'sit', 'wait_minute', 'stop', 'waiter', 'ask', 'waiter', 'help']

Avant :     Chicken sandwich had no taste; spinach artichoke dip was not much better.  Sushi was pretty good tho
Après :     ['sandwich', 'taste', 'artichoke_dip', 'take', 'check', 'hotel', 'bar', 'restaurant', 'option']

Avant :     Do not eat here. Overpriced and the food is disgusting. $4 for a glass of iced tea. Chicken wings we
Après :     ['eat', 'overprice', 'food', 'glass', 'tea', 'chicken', 'wing', 'flavor', 'think', 'boil']

Avant :     Awful lazy service.

They had a sign to seat yourself so I sat down at the bar.  I watched the only 
Après :     ['service', 'sign', 'seat', 'sit_bar', 'watch', 'bartender', 'face', 'pos', 'system', 'minute']

Avant :     How do you make bark out of a steak, or cardboard out of bread pudding?   This place will show you h
Après :     ['make', 'bark', 'steak', 'cardboard', 'bread_pudding', 'place', 'show', 'sashimi', 'thing', 'eat']

Avant :     We went to Vitascope for lunch during work hours. Given the hour or so we had, the hour and forty mi
Après :     ['vitascope', 'lunch', 'work', 'hour', 'give', 'hour', 'hour', 'minute', 'time', 'take']

Avant :     I really expected a much better eatery here in my hotel. The atmosphere is awesome, very trendy and 
Après :     ['expect', 'eatery', 'hotel', 'atmosphere', 'dining_area', 'food', 'service', 'price', 'menu', 'return']

Avant :     The food is awful. I mean really, really low quality crap that tastes like it came out of a frozen t
Après :     ['food', 'mean', 'quality', 'crap', 'taste', 'come', 'tv', 'meal', 'tray', 'stay_hotel']

Avant :     Staying at the hyatt regency. My boss and I stopped by with one other coworker to grab some food. Le
Après :     ['stay', 'boss', 'stop', 'coworker', 'grab', 'food', 'let', 'say', 'service', 'order']

Avant :     I tried to call this place to make sure they were open.  All I got was a generic mechanized recordin
Après :     ['try', 'call', 'place', 'make', 'recording', 'leave', 'message', 'call', 'business']

Avant :     Do not eat here! I ordered general tso tofu and asked for it to be extra crispy with light sauce. No
Après :     ['eat', 'order', 'ask', 'crispy', 'light', 'sauce', 'come', 'sauce', 'refuse', 'replace']

Avant :     Fast delivery but my spring rolls were oily.... not so good. Not sure if I'll try again.
Après :     ['delivery', 'spring_roll', 'try']

Avant :     It looks pretty sure, but don't look fools deceive you. We came here to eat dinner and it took about
Après :     ['look', 'look', 'fool', 'deceive', 'come', 'eat', 'dinner', 'take', 'minute', 'receive']

Avant :     We ate here many times and always enjoyed ourselves until the last time.  It's a small place and the
Après :     ['eat', 'time', 'enjoy', 'time', 'place', 'add', 'tobacco', 'smoke', 'make', 'dinner']

Avant :     Disappointing afghany restaurant in olde city. The Ariana kabob (chicken, beef, and lamb) was served
Après :     ['beef', 'serve', 'platter', 'rice', 'piece', 'meat', 'meat', 'service', 'think', 'reason']

Avant :     I have to agree with John N.  This was probably the least friendly and least efficient Subway I have
Après :     ['agree', 'subway', 'experience', 'employee', 'dog', 'die', 'deal', 'say', 'make', 'eye_contact']

Avant :     Unmotivated employees - During lunch time, they have 2-3 people operating the line. Other times, usu
Après :     ['employee', 'lunch', 'time', 'people', 'operate', 'line', 'time', 'work', 'line', 'sit']

Avant :     They have been closed more the last couple of week than they have been open. Very frustrating!
Après :     ['close', 'couple_week', 'frustrating']

Avant :     I travel often for work and visit many subways. This particular location is probably the slowest, un
Après :     ['travel', 'work', 'visit', 'subway', 'location', 'day', 'row', 'peak', 'hour', 'wait']

Avant :     I worked here but soon quit due to what I witnessed. The owner Tony is a real sleezball and he reuse
Après :     ['work', 'quit', 'owner', 'sleezball', 'reuse', 'pizza', 'freeze', 'reheat', 'kitchen', 'disgust']

Avant :     Can't rate what ain't there - no longer exists at this location under this name. I saw all the wonde
Après :     ['rate', 'exist', 'location', 'name', 'see_photo', 'fare', 'find', 'bar', 'food', 'burger']

Avant :     Your new "packaging" SUCKS!!!!!!!!!!!!!!!!!  Trying to stir a grabbagreen now makes a HUGE mess!  Go
Après :     ['packaging', 'suck', 'try', 'stir', 'grabbagreen', 'make', 'mess', 'box', 'irritating']

Avant :     Looked like a great place to get a smoothie. Came by after a workout at the gym at 7:20. I saw one o
Après :     ['look', 'place', 'smoothie', 'come', 'see', 'employee', 'phone', 'talk', 'mop', 'floor']

Avant :     Close this place. Poor showing for the Arby's chain. Nobody runs out of roast beef. Most of the empl
Après :     ['place', 'showing', 'chain', 'run', 'roast_beef', 'employee', 'attitude', 'time', 'change', 'save']

Avant :     It's nearly 2:00 am, and you're stumbling back from Bourbon Street towards your hotel next door to t
Après :     ['stumble', 'bourbon', 'street', 'hotel', 'door', 'wait', 'night', 'munchie', 'neon', 'light']

Avant :     I love Chick-Fil-A so much and was so excited to get one down the street from me! No more sudden rea
Après :     ['love', 'chick', 'fil', 'excite', 'street', 'realization', 'rivergate', 'spring', 'take_advantage', 'fil']

Avant :     I had the most disappointing and appalling experiencing ordering catering from this specific Chick-f
Après :     ['disappoint', 'experience', 'order', 'cater', 'location', 'voice', 'frustration', 'manager_duty', 'make', 'feel']

Avant :     It's always packed even during times that should be "off". What is the fascination? 

At least the s
Après :     ['pack', 'time', 'fascination', 'service', 'food', 'food', 'standard', 'wait', 'avoid', 'plague']

Avant :     My husband and I drove out of our way tonight thinking they were open late because we called and the
Après :     ['husband', 'drive', 'tonight', 'think', 'call', 'message', 'state', 'hour', 'friday', 'saturday']

Avant :     It pains me to write this review. I LOVE CFA but the service at this one on December 23, 2016 at 1:3
Après :     ['pain', 'write_review', 'pm', 'line', 'drive', 'understood', 'line', 'door', 'person', 'work']

Avant :     Worst Burger King on Earth. There will be something guaranteed to be wrong during your visit--taste,
Après :     ['burger', 'earth', 'guarantee', 'visit', 'taste', 'wait', 'food', 'temperature', 'cleanliness', 'name']

Avant :     This place is closed  the signs are off the building  and it looks  like the y are putting up drywal
Après :     ['place', 'close', 'sign', 'build', 'look', 'put', 'drywall', 'know', 'reopen', 'office']

Avant :     I'm giving this restaurant 2 stars based solely on their lack of friendly service. This was the firs
Après :     ['give', 'restaurant', 'star', 'base', 'lack', 'service', 'time', 'grandmother', 'sister', 'establishment']

Avant :     We gave it a shot on a random Tuesday night, the service was good and friendly. The smoothie was del
Après :     ['give', 'shoot', 'night', 'service', 'smoothie', 'fact', 'back', 'food', 'meh', 'quality']

Avant :     Darn it! I was really hoping that this would be our new convenient neighborhood takeout spot. The pr
Après :     ['hope', 'new', 'neighborhood', 'takeout', 'spot', 'premise', 'sound', 'love', 'bubble_tea', 'fry']

Avant :     Though cooked within an inch of their lives, the burgers were tasty. The bacon on mine was crisp and
Après :     ['cook', 'inch', 'live', 'burger', 'bacon', 'mine', 'cheese', 'note', 'menu', 'cheez']

Avant :     Not family friendly at all. Went to Grace and Pats tonight, at 5:00, with my 16 mo old son, but we w
Après :     ['family', 'grace', 'pat', 'tonight', 'son', 'tell', 'arrival', 'chair', 'booster', 'seat']

Avant :     The best thing about this place is that it's byob.   Here was our order:

- Salad: comes with your i
Après :     ['thing', 'place', 'byob', 'order', 'salad', 'come', 'dress', 'meatball', 'think', 'tender']

Avant :     Well...there was a devil that was placed in front of us this morning. We pulled into the spot that c
Après :     ['place', 'morning', 'pull', 'spot', 'say', 'cafe', 'seem', 'come', 'shout', 'park']

Avant :     This women is crazy and delusional to think that people would actually come off the street to buy mu
Après :     ['woman', 'delusional', 'think', 'people', 'come', 'street', 'buy', 'mud', 'coffee', 'item']

Avant :     After last night I will know this place as Cafe Ew for their bad service outside. I was excited to c
Après :     ['night', 'service', 'come', 'place', 'waitress', 'drink', 'order', 'taking', 'minute', 'drink']

Avant :     As a frequent guest at the Chase I often enjoy a low key dinner on the patio. The food is fine. Noth
Après :     ['guest', 'chase', 'enjoy', 'dinner', 'patio', 'food', 'sunday', 'pool', 'night', 'become']

Avant :     Lunch today was not what I remembered. Server was attentive, food sub-par. Burgers were fair, fries 
Après :     ['lunch_today', 'remember', 'server', 'food', 'sub_par', 'burger', 'fry', 'limp', 'drink', 'price']

Avant :     I wasn't really impressed with Eau Cafe.  It seemed like a rather bland hotel bar to me with semi-ex
Après :     ['impress', 'cafe', 'seem', 'hotel', 'bar', 'drink', 'people', 'seem', 'place', 'crowd']

Avant :     The manager, Stephanie (blonde), told us that we could not sit outside with the remainder of the bot
Après :     ['tell', 'sit', 'remainder', 'bottle_wine', 'bring', 'park', 'movie', 'theater', 'locate', 'hotel']

Avant :     It really pains me to write this review. This used to be comparable to any Italian restaurant on the
Après :     ['pain', 'review', 'use', 'seem', 'replace', 'imitation', 'cheese', 'provel', 'time', 'disappoint']

Avant :     I should have read the reviews before going here. I pass "Tony Luke's" on the regular SAT mornings a
Après :     ['read_review', 'pass', 'morning', 'decide', 'stop', 'time', 'mouth', 'cheese_steak']

Avant :     Taste was decent. Nothing compared to the so philly tony Luke's.  Sandwiches are half the size of th
Après :     ['taste', 'compare', 'luke', 'sandwich', 'half', 'size', 'luke', 'price', 'love', 'return']

Avant :     Such a let down compared to the original south philly location. It's not even close to the same chee
Après :     ['let', 'compare', 'location', 'cheesesteak', 'roll', 'subway', 'bake', 'completion', 'location', 'meat']

Avant :     I am a huge fan of the South Philly location but to say that this one is a disappointment, is an und
Après :     ['fan', 'location', 'say', 'disappointment', 'understatement', 'pork_sandwich', 'rabe', 'cheesesteak', 'steak', 'um']

Avant :     I'm totally disappointed from Tony Luke's here. My cheesesteak had no seasoning at all. It's like th
Après :     ['luke', 'cheesesteak', 'season', 'take', 'meat', 'throw', 'bread', 'flavor', 'try', 'add_salt']

Avant :     They should be ashamed to call their product food. Kids on grill don't care at all about quality.  W
Après :     ['call', 'product', 'food', 'kid', 'grill', 'care', 'quality', 'run', 'place', 'staff']

Avant :     Worst cheesesteak ever!  Seriously. Greasy, gross, bad. $13 for peppers and provolone on a tiny sand
Après :     ['cheesesteak', 'pepper', 'provolone', 'sandwich', 'case', 'mean', 'meat', 'grease', 'ave', 'steak']

Avant :     This is the worst establishment I have ever been to. They do not make your food properly here. I've 
Après :     ['establishment', 'make', 'food', 'time', 'time', 'make', 'sandwich', 'keep', 'give_chance', 'keep']

Avant :     Ugh I ignored all the bad reviews and went anyway because I heard the sandwiches are good. I got a p
Après :     ['ugh', 'ignore', 'review', 'hear', 'sandwich', 'pork_sandwich', 'fry', 'home', 'fry', 'seem']

Avant :     Worst cheese steak I ever had.Tasteless with crappy roll and tiny size for the money.My local pizza 
Après :     ['cheese_steak', 'roll', 'size', 'money', 'pizza', 'place', 'make', 'way', 'sandwich', 'price']

Avant :     Have you ever eaten food from one of those sketchy Freddy Krueger looking gas stations in the middle
Après :     ['eat', 'food', 'look', 'gas_station', 'know', 'place', 'know', 'make', 'touch', 'make']

Avant :     This place has the opportunity to be incredible.  Except the price doesn't match the quality.  That 
Après :     ['place', 'opportunity', 'price', 'match', 'quality', 'want', 'pay', 'employee', 'peanut', 'expect']

Avant :     Not overly impressed with this place considering they claim to have a legendary taste. The bread is 
Après :     ['impress', 'place', 'consider', 'claim', 'taste', 'bread', 'good', 'say', 'rest', 'sandwich']

Avant :     Horrible!!! Don't waste your time! Aside from there NOT being even average customer service (tyemeka
Après :     ['waste_time', 'customer_service', 'tyemeka', 'talk', 'scream', 'phone', 'order', 'cheese', 'flavorless', 'cabbage']

Avant :     I feel bad for giving a small local place a bad review...but it was that bad :( I will say the guy a
Après :     ['feel', 'give', 'place', 'review', 'say', 'guy', 'window', 'taste', 'meat', 'spit']

Avant :     The pulled pork was awful dry. The fat kid working there was was very rude worst help I have ever se
Après :     ['pull_pork', 'fat', 'kid', 'work', 'help', 'see', 'ask', 'manager', 'name', 'kid']

Avant :     Very, very, very, very disappointed.  A true test of a bbq joint is the ribs.  Unfortunately, these 
Après :     ['test', 'bbq', 'rib', 'fat', 'boil', 'smoke', 'liquid', 'smoke', 'recommendation', 'think']

Avant :     I always walk pass this place but decided to finally give it a try because of the reviews and the pr
Après :     ['walk', 'pass', 'place', 'decide', 'give', 'try', 'review', 'price', 'state', 'app']

Avant :     Went here this Friday and had Rendang. Okay food (worth the price). Horrible service. Servers took t
Après :     ['food', 'price', 'service', 'server', 'take', 'turn', 'rush', 'ask', 'finish', 'check']

Avant :     DISCLAIMER: this review is limited exclusively to my single experience last night eating prawn mee n
Après :     ['disclaimer', 'review', 'limit', 'experience', 'night', 'eat', 'prawn', 'dish', 'taste', 'restaurant']

Avant :     Disappointing. After reading the reviews on Yelp I decided to go. Starting with the roti appetizer, 
Après :     ['reading_review', 'yelp', 'decide', 'start', 'piece', 'potato', 'piece_chicken', 'pad', 'noodle', 'half']

Avant :     This place has the worst service and the food is highly overrated. Their fried ice cream for example
Après :     ['place', 'service', 'food', 'fry', 'ice_cream', 'example', 'ball', 'ice_cream', 'water', 'master']

Avant :     The appetizer we tried was the roti canai and it was like watered down indian food with barely any c
Après :     ['try', 'water', 'food', 'chicken', 'rice', 'dish', 'ginger', 'duck', 'meal', 'duck']

Avant :     Very busy, popular and loud.  Place is a little dingy for the prices. Not much atmosphere. $5 beers,
Après :     ['place', 'price', 'atmosphere', 'beer', 'dish', 'food', 'order', 'plate', 'food', 'want']

Avant :     The Char Kuey teow was terrible.  The flat noodles were disintegrated into little oily brown bits an
Après :     ['noodle', 'disintegrate', 'bit', 'tofu', 'burn', 'greasy', 'leave', 'dish', 'remember']

Avant :     Food was cold. 

All components for Nasi Lemak except rice was cold. Like real cold - the cooked anc
Après :     ['food', 'component', 'nasi', 'lemak', 'rice', 'cook', 'anchovy', 'basil', 'noodle', 'flavor']

Avant :     I used to come here a lot and would always get the hainanese chicken rice. It was pretty good but re
Après :     ['use', 'come', 'lot', 'hainanese', 'chicken', 'rice', 'come', 'thing', 'chicken', 'flavor']

Avant :     Such a horrible experience here bad costumer service waitress had a really bad attitude
Après :     ['experience', 'service', 'waitress', 'attitude']

Avant :     Since the price is low and quantity is big,it was our favorite spot. But when we went there second t
Après :     ['price', 'quantity', 'spot', 'time', 'order', 'chicken', 'fry_rice', 'chicken', 'taste', 'find']

Avant :     Never come back. It took them 40 mins to serve the food (I only ordered noodles soup). The noodles w
Après :     ['come', 'take_min', 'serve', 'food', 'order', 'noodle_soup', 'noodle', 'compare', 'restaurant', 'cut']

Avant :     I have eaten hear three times in the last three years, and this time was my last.  The food was blan
Après :     ['eat', 'hear', 'time', 'year', 'time', 'food', 'bland', 'manager', 'hover', 'look']

Avant :     The food is good. But the space is uncared for and depressing in a post  industrial way. My waiter. 
Après :     ['food', 'space', 'uncare', 'depress', 'way', 'waiter', 'guy', 'avoid', 'business', 'care']

Avant :     My friend is in from out of town and we were  hungry. We like walking around and trying new places. 
Après :     ['friend', 'town', 'walk', 'try', 'place', 'find', 'place', 'decide', 'give', 'shoot']

Avant :     Overall kind of disappointed. The food was just alright. I got the chicken Thai basil and my husband
Après :     ['food', 'alright', 'husband', 'prawn', 'soup', 'service_terrible', 'byob', 'corkage', 'fee', 'offer']

Avant :     Lol it was far less than aight.
Lol
^literally all I can say
The meat smells baddd like shit dude
Se
Après :     ['lol', 'aight', 'lol', 'say', 'meat', 'smell', 'shit', 'dude', 'service', 'aight']

Avant :     went on Friday night. It was busy but we were seated quickly. The roti and satay appetizers we order
Après :     ['night', 'seat', 'appetizer', 'order', 'clay', 'pot', 'noodle', 'tomyam', 'noodle', 'order']

Avant :     Maybe if I wasn't vegetarian I would have been more impressed. Not much to choose from that wasn't s
Après :     ['impress', 'choose', 'salt', 'fry', 'dry', 'tofu', 'smother', 'peanut', 'sauce', 'tempt']

Avant :     Barista was rude and will not ever give them my business again. Wow if you are going to work in plac
Après :     ['give', 'business', 'work', 'place', 'personality', 'annoy', 'customer', 'ask', 'make', 'drink']

Avant :     I wasted 7 bucks on a meal I thought was going to be awesome. The fried chicken was stale and tastel
Après :     ['waste', 'buck', 'meal', 'thought', 'fry', 'chicken', 'wing', 'drum', 'come', 'fry']

Avant :     Laughably HORRIBLE, overly SALTY mexican food. Go to Mi Pais or El Limón or El Charro Negro and eat 
Après :     ['food', 'eat', 'order', 'dish', 'friend', 'woman', 'help', 'speak', 'friend', 'want']

Avant :     Very disappointing burritos. Low on meat, high on rice and beans and low on flavor. I do not recomme
Après :     ['meat', 'rice_bean', 'flavor', 'recommend', 'people', 'price', 'menu', 'yelp', 'ground_beef', 'price']

Avant :     Stopped in for lunch as the "authentic" place up the street was closed today. (Memorial Day) 

Don't
Après :     ['stop_lunch', 'place', 'street', 'close', 'today', 'day', 'make_mistake', 'overprice', 'tomato', 'cheese']

Avant :     Just brought home food from here.  Family will not eat it, it was so bad.  The quesadilla is awful. 
Après :     ['bring', 'home', 'food', 'family', 'eat', 'quesadilla', 'find', 'cheese', 'forgot', 'make']

Avant :     Uh oh! They serve (bad) prepackaged spinach artichoke dip here. There's almost nothing worse than kn
Après :     ['serve', 'spinach_artichoke', 'dip', 'know', 'meal', 'assemble', 'package', 'food', 'money', 'waste_time']

Avant :     The breakfast buffet is bland the Eggs are mushy..there is very little to choose from that is health
Après :     ['egg', 'choose', 'buffet', 'lacking', 'like', 'restaurant', 'game', 'home', 'refer', 'restaurant']

Avant :     I don't know why I continue to patronize this place. It is so slow and the servers are mostly inatte
Après :     ['know', 'continue', 'patronize', 'place', 'server', 'give', 'henpeck', 'chance', 'month', 'fail']

Avant :     I need the district manager number this is the second time they said they were closed and it's 1:15 
Après :     ['need', 'district', 'manager', 'number', 'time', 'say', 'close']

Avant :     Was once a great place to eat but I will not order from here again just got a stake and bacon sub al
Après :     ['place', 'eat', 'order', 'stake', 'bacon', 'sub', 'find', 'fatty', 'piece', 'meat']

Avant :     We order here all the time and the pizza is delicious
Well tonight the failed me we got and xl peppe
Après :     ['order', 'time', 'pizza', 'tonight', 'fail', 'pepperoni', 'steak', 'mushroom', 'order', 'cheese']

Avant :     While the food and service are excellent (loved the chicken pad thai, mango rice + a very friendly &
Après :     ['food', 'service', 'love', 'pad', 'parking', 'location', 'nightmare', 'restaurant', 'overcrowd', 'size']

Avant :     I was going to give a 3 star but I gotta go 2. See, there are some really good thai joints in Nashvi
Après :     ['give_star', 'see', 'joint', 'come', 'mind', 'smile', 'elephant', 'hype', 'bland', 'miss']

Avant :     I've eaten here 4 times and have enjoyed it for the most part. But last night was terrible. The pork
Après :     ['eat', 'time', 'enjoy', 'part', 'night', 'pork', 'taste', 'leather', 'come', 'cashew']

Avant :     A WORM WAS ON MY PLATE MOVING AROUND. I lost my appetite and politely asked that the restaurant comp
Après :     ['worm', 'plate', 'move', 'lose_appetite', 'ask', 'restaurant', 'comp', 'refuse', 'say', 'food']

Avant :     So disappointed.   Brought a friend from out of town there because I heard it was great..... horribl
Après :     ['bring', 'friend', 'town', 'hear', 'way', 'air', 'floor', 'vent', 'bland', 'muscle']

Avant :     Ordered the BBQ chicken entree for take out. Also got an order of the vegetable dumplings. 

Must sa
Après :     ['order', 'take', 'order', 'vegetable', 'dumpling', 'say', 'service', 'tell', 'min', 'call']

Avant :     We tried the Smiling Elephant on a busy Friday night after rave reviews from friends that this was t
Après :     ['try', 'smile', 'elephant', 'night', 'rave_review', 'friend', 'place', 'end', 'wait_minute', 'table']

Avant :     My boyfriend and I were so disappointed with this restaurant. After hearing so many good things abou
Après :     ['boyfriend', 'disappoint', 'restaurant', 'hearing', 'thing', 'place', 'decide', 'give', 'try', 'set']

Avant :     We waited 40 mins for a plate of pad thai and it was not better than a thai food truck. Thai ice tea
Après :     ['wait_min', 'plate', 'pad', 'food', 'truck', 'ice_tea', 'taste', 'ice_tea', 'restaurant', 'look']

Avant :     I know this place get best of everything but maybe I just ordered the wrong thing. I had the pad Tha
Après :     ['know', 'place', 'order', 'thing', 'seem', 'chicken', 'bean', 'noodle', 'time', 'see']

Avant :     I've been to several different Cracker Barrels over the years and usually love them, but this one wa
Après :     ['cracker_barrel', 'year', 'love', 'food', 'cook', 'potato', 'biscuit', 'come', 'table', 'waitress']

Avant :     Breakfast is lousy or average here. Hashbrown caserole is one of the most disgusting things I've tas
Après :     ['breakfast', 'hashbrown', 'caserole', 'thing', 'taste', 'tasted', 'serve', 'place', 'fry', 'apple']

Avant :     Food was good. Service wasn't the best. She took forever...then as soon as she gave us our food she 
Après :     ['food', 'service', 'take', 'give', 'food', 'give', 'check', 'give', 'refill', 'vanish']

Avant :     food as always is delicious- the hash brown casserole is my fave.  however, the women's bathroom was
Après :     ['food', 'casserole', 'fave', 'woman', 'bathroom', 'floor', 'urine', 'smell', 'stall', 'clean']

Avant :     I recalled pleasant memories from a different location I frequented in my childhood so we decided to
Après :     ['recall', 'memory', 'location', 'frequent', 'childhood', 'decide', 'make', 'birthday', 'breakfast', 'stay']

Avant :     I usually love Cracker Barrel but the last two times I've been to this location my food was served w
Après :     ['love', 'cracker_barrel', 'time', 'location', 'food', 'serve', 'grant', 'time', 'occasion', 'disappoint']

Avant :     The Downingtown manager was extremely rude to my wife and daughter today.  After telling us a wrong 
Après :     ['manager', 'wife', 'daughter', 'today', 'tell', 'price', 'washer', 'dryer', 'toy', 'set']

Avant :     Burger was ok.. Service was crap. I will never give theses guys any more of my money!!
Après :     ['service', 'crap', 'give', 'guy', 'money']

Avant :     Thursdays during Lent are my burgers days so I decided to stop in to grab a cheeseburger and coffee 
Après :     ['thursday', 'lend', 'burger', 'day', 'decide', 'stop', 'grab', 'cheeseburger', 'coffee', 'milkshake']

Avant :     KFC quality has gone downhill very small pieces batter is barely on chicken. Not like when the Colon
Après :     ['quality', 'piece', 'batter', 'colonel', 'make', 'chicken', 'think', 'fry', 'chicken', 'quality_control']

Avant :     This is a big disappointment and a ripoff.  The atmosphere is extremely rustic and the prices high c
Après :     ['disappointment', 'atmosphere', 'price', 'compare', 'place', 'whiteville', 'tn', 'food', 'selection', 'return']

Avant :     I went into today to get breakfast. The hash browns were not only cold and soggy but when I asked to
Après :     ['today', 'breakfast', 'hash_brown', 'ask', 'one', 'take', 'minute', 'bring', 'one', 'cook']

Avant :     AWFUL. I have been there more than once, and it was never great but ok. However the most recent time
Après :     ['time', 'experience', 'restaurant', 'sit', 'come', 'table', 'appetizer', 'food', 'take', 'restaurant']

Avant :     Not very good at all. This is not really a mexican authentic restaurant and poses as one. I came her
Après :     ['restaurant', 'pose', 'come', 'time', 'cause', 'thing', 'close', 'atmosphere', 'run', 'area']

Avant :     All I can say is yuck. Despite the Vandy popularity, it is absolutely awful food. Only redeeming thi
Après :     ['say', 'yuck', 'popularity', 'food', 'redeem', 'thing', 'menu', 'cheese', 'sauce', 'worse']

Avant :     Good
* The food here is mega cheap, especially for lunch. The lunch menu is full of overly filling o
Après :     ['food', 'lunch', 'lunch', 'menu', 'fill', 'option', 'food', 'add', 'chip', 'steal']

Avant :     Ambiance is horrible (really bright for dinner), food was bland and cheap, no pitchers of beer, have
Après :     ['ambiance', 'dinner', 'food', 'bland', 'pitcher', 'beer', 'order', 'rice_bean', 'side', 'use']

Avant :     I was with a group of several people and ordered the carne asada. The beef was extremely dry and tou
Après :     ['group', 'people', 'order', 'beef', 'avocado', 'oxidize', 'sell', 'meal', 'serve', 'waste_money']

Avant :     20 minutes to get French fries, with 3 tables full in the entire upstairs. Just saying. No parking, 
Après :     ['minute', 'fry', 'table', 'upstairs', 'say', 'parking', 'special', 'explain', 'ask', 'fry']

Avant :     If I could give zero stars I would. Horrible experience.. Waste of my last dinner in Florida.. First
Après :     ['give_star', 'experience', 'waste', 'dinner', 'tell', 'diet', 'fill', 'coke', 'wife', 'ice_tea']

Avant :     Do not go here for lunch! The staff ignored us and played with their phones. The food took a long ti
Après :     ['lunch', 'staff', 'ignore', 'play', 'phone', 'food', 'take', 'time', 'salad', 'sand']

Avant :     The only reason i didnt give it a 1 is because the Royal red shrimp were delicious. The reason i gav
Après :     ['reason', 'give', 'reason', 'give', 'working', 'try', 'use_restroom', 'couple', 'beer', 'tell']

Avant :     Friends and I went to the St Pete Beach Seafood Festival on a Saturday but decided to have seafood i
Après :     ['friend', 'decide', 'seafood', 'restaurant', 'choose', 'shark', 'tale', 'mistake', 'management', 'know']

Avant :     Save your money go to El Rodeo across the street.  I love mexican food, I was eager to try this plac
Après :     ['save_money', 'street', 'love', 'mexican', 'food', 'try', 'place', 'start', 'food', 'charge']

Avant :     What kind of business do these guys run? They don't update their website and they don't tell you whe
Après :     ['business', 'guy', 'run', 'update', 'website', 'tell', 'truck', 'locate', 'shame', 'crave']

Avant :     This place was extremely disappointing!
First, they pointed us to a dirty table,and they didn't give
Après :     ['place', 'point', 'table', 'give', 'napkin_silverware', 'bring', 'coffee', 'bring', 'ask', 'want']

Avant :     Inconsistent location. I find this location has its good days and it's horrible days. On this trip, 
Après :     ['location', 'find', 'location', 'day', 'day', 'trip', 'ice', 'beverage', 'order', 'request']

Avant :     It seems as though something has gone wrong at this Wendy's.  It used to be a reliable option for a 
Après :     ['seem', 'wendy', 'use', 'option', 'lunch', 'week', 'amiss', 'time', 'visit', 'wait']

Avant :     Been there twice. One of the most bland and uninteresting Indian Restaurants I've ever been to, even
Après :     ['uninteresting', 'restaurant', 'suburbia', 'place', 'antidote', 'place', 'center_city', 'indeblue', 'place', 'restaurant']

Avant :     Ate the lunch buffet. Not impressive at all. Food was room temperature and variety was lacking. Not 
Après :     ['eat', 'lunch_buffet', 'food', 'room_temperature', 'variety', 'lack', 'non', 'chicken', 'option']

Avant :     I have no idea how this restaurant has such a high rating. I am Indian-American and therefore know t
Après :     ['restaurant', 'rating', 'know', 'cuisine', 'come', 'quality', 'food', 'lunch', 'bland', 'naan']

Avant :     This is the worst take out I've had.  All I wanted was a large salad tonight and I'm so mad I just w
Après :     ['take', 'want', 'salad', 'tonight', 'waste', 'tie', 'order', 'ask', 'girl', 'add']

Avant :     Just o.k. food. Acceptable service. Not-so-great interor design/ambience. 

They got lucky with thei
Après :     ['food', 'service', 'ambience', 'location', 'way', 'prove']

Avant :     I was in town on business and feeling on the edge of a cold and I was really looking forward to a he
Après :     ['town', 'business', 'feel', 'edge', 'cold', 'look', 'salad', 'experience', 'order', 'chop']

Avant :     I probably won't be ordering anything from here any more with the new delivery system. Sorry too inc
Après :     ['order', 'delivery', 'system', 'inconvenient']

Avant :     Not the best quality today in my arugula
Salad.  The avocado was bad (gray) and yet still served on 
Après :     ['quality', 'today', 'arugula', 'avocado', 'gray', 'serve', 'salad', 'staff', 'mis', 'rung']

Avant :     The veggie burger tastes like it has a frozen Boca burger patty but with all of the other fixins it 
Après :     ['veggie', 'taste', 'boca', 'burger', 'fixin', 'like', 'vegan', 'cheese', 'potato', 'fry']

Avant :     I ordered the Hip City Ranch, supposedly their best seller, and it was not good at all. The sauce wa
Après :     ['order', 'hip', 'city', 'ranch', 'seller', 'sauce', 'put', 'taste', 'ranch', 'chicken']

Avant :     I'm a first timer and was excited to stop in here for lunch today. The nuggets and sweet potato frie
Après :     ['timer', 'excite', 'stop_lunch', 'today', 'nugget', 'potato', 'fry_soggy']

Avant :     I have ordered take away from this establishment twice now since its opening day. Though the deliver
Après :     ['order', 'take', 'establishment', 'opening', 'day', 'delivery', 'time', 'food', 'sandwich', 'savory']

Avant :     Very disappointed last time I was there. I guess they are cutting corners ( a/k/a being sneaky) I do
Après :     ['time', 'guess', 'cut_corner', 'think', 'oversight', 'fill', 'dress', 'container', 'half', 'way']

Avant :     Ever since I enjoyed my experience in HipCityVeg @ University City (I gave 5 stars), I thought the H
Après :     ['enjoy', 'experience', 'city', 'give_star', 'think', 'deliver', 'experience', 'location', 'menu', 'stay']

Avant :     Too expensive for what you get. This is not a "casual dining" restaurant but the prices are as such.
Après :     ['dining', 'restaurant', 'price', 'use_love', 'market', 'price', 'food', 'quality', 'portion', 'price']

Avant :     Review from 2010
I work across the street at the MSB, with free delivery and a great cook. You can't
Après :     ['review', 'work', 'delivery', 'cook', 'beat', 'food', 'eat', 'lunch', 'alomost', 'time']

Avant :     Not sure if they're still open, phone number listed disconnected. Went by for lunch today (Monday) a
Après :     ['phone_number', 'list', 'disconnected', 'lunch_today', 'lock', 'sign', 'hour', 'draw', 'conclusion']

Avant :     The food is pretty good - the only Mediterranean food around Bourbon St. The service is not great; s
Après :     ['food', 'food', 'bourbon', 'service', 'cash', 'place', 'save', 'gyro', 'pay', 'cash']

Avant :     This place was terrible.  One guy working all alone, so it took forever.  Everything in styrofoam, i
Après :     ['place', 'guy', 'work', 'take', 'styrofoam', 'include', 'cup', 'water', 'ask', 'gyro']

Avant :     Hummus plate was not served as pictured on menu. Menu shows a full plate of hummus garnished with ro
Après :     ['plate', 'serve', 'menu', 'menu', 'show', 'plate', 'hummus', 'garnish', 'pepper', 'look']

Avant :     Went about 1am after Lady Gaga concert on 12-1-2017 for something to eat. The woman that waited on u
Après :     ['lady', 'gaga', 'concert', 'eat', 'woman', 'wait', 'coffee', 'sitting', 'eat', 'breakfast']

Avant :     This is my first time dining at this Village Inn and it'll be my last dining at Village Inn anywhere
Après :     ['time', 'dining', 'village', 'dining', 'village', 'inn', 'seem', 'location', 'pride', 'service']

Avant :     Pie was good but the service was terrible. Don't come here for lunch because you'll be waiting for a
Après :     ['pie', 'service', 'come', 'lunch', 'waiting', 'minute', 'wait', 'seat']

Avant :     I ordered strawberry crepes that had 0 cream cheese filling inside, my bacon was cold.  I would try 
Après :     ['order', 'strawberry', 'crepe', 'cream_cheese', 'fill', 'bacon', 'cold', 'try', 'seem', 'place']

Avant :     Rude, inattentive, uneducated and they always make you feel that you are bothering them. I have star
Après :     ['make', 'feel', 'bother', 'start', 'use', 'order', 'deal', 'chain', 'start', 'make']

Avant :     I ordered potato green cassava leaf and okra sauce the food wasn't good @ all I've had much better I
Après :     ['order', 'potato', 'cassava', 'leaf', 'okra', 'sauce', 'food', 'drive', 'hour', 'review']

Avant :     I hate to give bad reviews, but I was not a fan of their ONE vegan dish (called "The Vegan" if I rem
Après :     ['hate', 'give', 'review', 'fan', 'vegan', 'dish', 'call', 'vegan', 'remember', 'serve']

Avant :     Went there after work. Beer selection was good. We skipped the shrimp cocktail. Filet looked great. 
Après :     ['work', 'beer_selection', 'skip', 'shrimp_cocktail', 'filet', 'look', 'bland', 'mess', 'impress', 'mushroom']

Avant :     Horrible experience. Pasta was gummy. Shrimp was overdone. Pizza was bland. Bacon had too much sauce
Après :     ['experience', 'pasta', 'overdone', 'pizza', 'bland', 'bacon', 'sauce']

Avant :     This place at first sight is very nice but the service we got was not. The menu  was not explained. 
Après :     ['place', 'sight', 'service', 'menu', 'explain', 'order', 'title', 'stuff', 'kick', 'shrimp']

Avant :     I had a meal with my husband last night. We didn't have reservations but were seated right away.
We 
Après :     ['meal', 'husband', 'night', 'reservation', 'seat', 'start', 'shrimp_cocktail', 'rubbery', 'tasteless', 'seem']

Avant :     The Izzy's steaks were just overloaded with way too many peppercorns. Their regular steaks were much
Après :     ['steak', 'overload', 'way', 'peppercorn', 'steak', 'onion_soup', 'serve', 'pizza', 'problem', 'service_terrible']

Avant :     Waitress was horrible. Steak and veggis were cold. Usually the restaurant is a pleasant experience. 
Après :     ['waitress', 'steak', 'veggis', 'restaurant', 'experience', 'time', 'inconsistent']

Avant :     I usually love Harry and Izzy's. I've been going there for years. Unfortunately, the last few visits
Après :     ['love', 'year', 'visit', 'put', 'hope', 'thing', 'turn', 'favorite', 'shrimp_cocktail', 'slider']

Avant :     Never been more ignored by bartenders in my life. Pathetic. Shrimp cocktail hit the spot as usual th
Après :     ['ignore', 'bartender', 'life', 'shrimp_cocktail', 'hit', 'spot', 'food', 'service', 'miss', 'time']

Avant :     I went here on Valentine's Day. Since they're related to St. Elmo's I figured I was in for a treat. 
Après :     ['day', 'figure', 'treat', 'sit', 'date', 'walk', 'way', 'bump', 'night', 'waiter']

Avant :     If you want something unique, something of value, don't go here. I'm just glad I didn't spend more m
Après :     ['want', 'value', 'spend_money', 'hope', 'palace', 'kitchen', 'seattle', 'receive', 'dine', 'bluebeard']

Avant :     When I've eaten here, it's decent food and drink in a busy, noisy bar.  Unfortunately, I was told th
Après :     ['eat', 'food', 'drink', 'bar', 'tell', 'block', 'reservation', 'anticipate', 'note', 'evening']

Avant :     So there isnt much great to say about this location popeyes there is usually always an issue with co
Après :     ['say', 'location', 'popeye', 'issue', 'condiment', 'ketchup', 'strawberry', 'jelly', 'love', 'grape']

Avant :     The food is fine but the staff, oh the staff. I asked for sauce and was told they charge for it. The
Après :     ['food', 'staff', 'staff', 'ask', 'sauce', 'tell', 'charge', 'lady', 'look', 'try']

Avant :     Okay, I'm obsessed with the chocolate pancakes from IHOP but they are not worth it when the service 
Après :     ['obsess', 'chocolate', 'pancake', 'ihop', 'service', 'shit', 'server', 'come', 'table', 'ask']

Avant :     We arrived over an hour before the posted closing time, and were greeted with "I'm closing early."  
Après :     ['arrive', 'hour', 'post', 'closing_time', 'greet', 'close', 'ihop', 'dog', 'freeway', 'meal']

Avant :     1. Waiters do not speak English here - minus one star 

2. I ordered pancakes and they brought me ti
Après :     ['waiter', 'speak', 'star', 'order', 'pancake', 'bring', 'tilapia', 'star', 'fix', 'add']

Avant :     The food was okay but they setted us very close to the bathroom so I believe they didn't clean very 
Après :     ['food', 'sette', 'bathroom', 'believe', 'smell']

Avant :     -1 star literally the worst experience. The staff was okay but I got my coffee and it was terrible. 
Après :     ['experience', 'staff', 'coffee', 'friend', 'pay', 'apple', 'milkshake', 'taste', 'chalk', 'take']

Avant :     Came here for dinner on Sunday night. We put in our order and noticed after some time waiting that p
Après :     ['come', 'dinner', 'night', 'put', 'order', 'notice', 'time', 'wait', 'people', 'order']

Avant :     Why would I ever want to pay $15 for mediocre pancakes when I can get amazing food at many other hig
Après :     ['want', 'pay', 'pancake', 'food', 'end', 'restaurant', 'price', 'ihop', 'suppose', 'breakfast']

Avant :     Staying at the Ramada so I ordered a meal for myself to go. I go and pick it up, and it's $18 for th
Après :     ['stay', 'ramada', 'order', 'meal', 'pick', 'fry', 'steak', 'meal', 'egg', 'hash_brown']

Avant :     Worst service ever. One of the spoons had egg yolk on it. Waitress didn't come back ro check on us o
Après :     ['service', 'spoon', 'egg', 'yolk', 'waitress', 'come', 'check', 'time', 'refill', 'food']

Avant :     We came around 1pm, so I expected them to be busy but the service was terrible. I ordered a coffee a
Après :     ['come', 'pm', 'expect', 'service', 'order', 'coffee', 'wash', 'wait_minute', 'receive', 'food']

Avant :     Great oyster but everything else was just meh. Below average BBQ shrimp (shrimp was way over cooked 
Après :     ['oyster', 'cook', 'sauce', 'bland', 'service', 'feeling', 'bit', 'roll', 'review', 'try']

Avant :     The food is good, but the service is horrible. We ordered four different meals at the same time and 
Après :     ['food', 'service', 'order', 'meal', 'time', 'serve', 'complete', 'time']

Avant :     Pros: 
-I was able to visit the French Quarters. 

Cons: 
-My catfish royale tasted more like a perf
Après :     ['pro', 'visit', 'quarter', 'con', 'catfish', 'royale', 'taste', 'perfume', 'fish', 'show']

Avant :     I wanted to like this place as the food was good but they crammed our party of 11 into a single boot
Après :     ['want', 'place', 'food', 'party', 'booth', 'ruin', 'night', 'portion_size', 'group', 'leave']

Avant :     I tried out this place because of the rating on Yelp and everybody review about how wonderful this p
Après :     ['try', 'place', 'rating', 'yelp_review', 'place', 'meet_expectation', 'food', 'wow', 'lamb', 'chicken']

Avant :     I'll keep this short and sweet. The place has a unique look to it but the seating arrangement is ver
Après :     ['keep', 'place', 'look', 'seat', 'arrangement', 'food', 'husband', 'dancing', 'experience', 'look']

Avant :     $28 for two cheesesteaks and a large gravy fries? Cheesesteaks nothing to write home about either.  
Après :     ['cheesesteak', 'gravy', 'fry', 'cheesesteak', 'write', 'pay', 'steak', 'pay', 'fad', 'die']

Avant :     I can't believe I have to give a star.  Quick rundown.  I ordered:
single with no ketchup, mayo, or 
Après :     ['believe', 'give', 'order', 'ketchup', 'mayo', 'mustard', 'fry', 'tea', 'fry', 'coke']

Avant :     This is the worst Wendy's I have ever been to. Charged me for a large cup and gave me a medium becau
Après :     ['wendy', 'charge', 'cup', 'give', 'cup', 'ice', 'pay', 'total', 'ripoff', 'avoid']

Avant :     I have never just gotten my food at the drive thru window. Even if there is no one else on line behi
Après :     ['food', 'drive', 'window', 'line', 'make', 'pull', 'door', 'wait', 'parking_lot', 'run']

Avant :     Not what I was expecting, very disappointing! After all the great reviews I expected much more. The 
Après :     ['expect', 'review', 'expect', 'atmosphere', 'food', 'come', 'bland', 'look', 'arrive', 'salad_dress']

Avant :     The plates and cup were dirty coming on the table. The milk jug was extremely stained and my coffee 
Après :     ['come', 'table', 'milk', 'jug', 'stain', 'coffee', 'cup_coffee', 'turtle', 'soup', 'friend']

Avant :     The view is so awesome you won't even notice how crappy the overly deep fried seafoods taste.
Après :     ['view', 'notice', 'fry', 'seafood', 'taste']

Avant :     Very watered down version of Asian cuisine... These are the owners of the original SK noodle in spar
Après :     ['water', 'version', 'cuisine', 'owner', 'noodle', 'spark', 'suck', 'competition', 'tide', 'change']

Avant :     I haven't gone here in about 6 months, but I've been coming here since they opened. We ordered some 
Après :     ['month', 'come', 'open', 'order', 'today', 'notice', 'thing', 'change', 'price', 'rise']

Avant :     This was a very disappointing visit.  We've eaten here before and while it doesn't match up to the s
Après :     ['visit', 'eat', 'match', 'restaurant', 'crab', 'shack', 'try', 'imitate', 'decor', 'menu']

Avant :     For the most part I will give a restaurant a second chance so this review is describing my 2nd visit
Après :     ['part', 'give', 'restaurant', 'chance', 'review', 'describe', 'visit', 'visit', 'opening', 'night']

Avant :     Omg you would think that the drinks would be strong so that you wouldn't notice how bad the food is 
Après :     ['think', 'drink', 'notice', 'food', 'luck', 'capirihinia', 'taste', 'dishwater', 'shrimp', 'burn']

Avant :     My first time coming here was super awesome. So I decide to bring my Mom for my second visit. Unfort
Après :     ['time', 'come', 'decide', 'bring', 'mom', 'visit', 'disappoint', 'take', 'mom', 'lunch']

Avant :     The place looked interesting enough, the live music was pleasant enough, the food and drink were ove
Après :     ['place', 'look', 'music', 'food', 'drink', 'price', 'coupe', 'grace', 'deliver', 'receive']

Avant :     After the bartender told us he made awesome margaritas, we trusted him with our request for two. Wat
Après :     ['tell', 'make', 'margaritas', 'trust', 'request', 'watch', 'pour', 'montezuma', 'soda', 'result']

Avant :     Horrible excuse for Latin food. The service is horrible and the black bean soup is watery and has no
Après :     ['excuse', 'food', 'service', 'bean', 'soup', 'flavor', 'person', 'bring', 'food', 'know']

Avant :     I'm here right now and this is my hell. Worst drink in history. I mean...this margarita is  straight
Après :     ['drink', 'history', 'lime', 'soda', 'diagnose', 'cancer', 'place', 'bartender', 'comment', 'sound']

Avant :     Nothing to review.  We were a party of 6 who walked in on Mothers Day for drinks and dinner.  There 
Après :     ['review', 'party', 'walk', 'mother_day', 'drink', 'dinner', 'table', 'stand', 'stand', 'couple']

Avant :     Came in for a Bloody Mary.  I asked if they make good ones and the waitress said yes.  All they did 
Après :     ['come', 'mary', 'ask', 'make', 'one', 'waitress', 'say', 'use', 'liquor', 'store']

Avant :     This review is for the bar only. Bar tenders were not friendly at all. Drinks were ok. My main issue
Après :     ['review', 'bar', 'bar_tender', 'drink', 'issue', 'bar', 'area', 'space']

Avant :     Decor and ambiance did not match the name. This is a local bar trying to be different and failing ba
Après :     ['ambiance', 'match', 'name', 'bar', 'try', 'fail', 'hit', 'music', 'bistro', 'table']

Avant :     Customer service needs improvement, but the woman sold me spoiled fried chicken, and I had to throw 
Après :     ['customer_service', 'need_improvement', 'woman', 'sell', 'spoil', 'fry', 'chicken', 'throw', 'plate']

Avant :     Not nearly 4 or 5 stars. Poor service and under average food. Served my wife who is allergic to baco
Après :     ['star', 'service', 'food', 'serve', 'wife', 'bacon', 'ask', 'bacon', 'soup', 'bacon']

Avant :     Nothing worth leaving home for. You could make a better sandwich with ingredients from the grocery s
Après :     ['leave', 'home', 'make', 'sandwich', 'ingredient', 'grocery_store', 'soup']

Avant :     I'm a fan of this place.  It's very clean and the salads are yummy.  BUT, I am at a loss for while t
Après :     ['fan', 'place', 'salad', 'loss', 'milk', 'kid', 'meal', 'time', 'course', 'week']

Avant :     I am disappointed every time I eat here & never leave full. The description for everything sounds gr
Après :     ['time', 'eat', 'leave', 'description', 'sound', 'menu', 'food', 'look', 'taste', 'expect']

Avant :     The service here is awful and the food is even worse. I took my grandmother for her birthday and non
Après :     ['service', 'food', 'take', 'grandmother', 'birthday', 'none', 'employee', 'acknowledge', 'minute', 'take']

Avant :     Probably the best restaurant on University.  Sad.

The menu consists of burgers, sandwiches, hot dog
Après :     ['restaurant', 'university', 'menu', 'consist', 'burger', 'sandwich', 'dog', 'shake', 'offer', 'wing']

Avant :     Ugh.

Next to the 8.5" x 11" piece of paper menu, this place committed my 2nd least favorite Philly 
Après :     ['piece_paper', 'menu', 'place', 'commit', 'food', 'establishment', 'waiter', 'rule', 'food', 'proprietor']

Avant :     I had lunch there. Portions are VERY small. Their kabob is so mediocre. Their rice is not good. This
Après :     ['lunch', 'portion', 'rice', 'place', 'cuisine', 'kabob', 'increase', 'portion', 'quality']

Avant :     Wow.. Can't believe that the reviews are as good as they are.  My one and only visit consisted of so
Après :     ['believe', 'review', 'visit', 'consist', 'entertainment', 'roach', 'cruise', 'floor', 'owner', 'chasing']

Avant :     I came here because it recieved some good yelp reviews, and seemed vegeterian friendly. I came for t
Après :     ['come', 'recieve', 'yelp_review', 'seem', 'come', 'lunch', 'order', 'pumpkin', 'dish', 'salad']

Avant :     We were VERY disappointed with West Side Gravy.  My fried chicken was two small legs and a thigh, al
Après :     ['side', 'gravy', 'fry', 'leg', 'serve', 'paper', 'cone', 'side', 'potato_salad', 'coleslaw']

Avant :     i guess i overhyped this place. i only liked this place because they had this truffle au jus that ca
Après :     ['guess', 'overhype', 'place', 'like', 'place', 'truffle', 'jus', 'come', 'fry', 'love']

Avant :     We walked out and I will not be back. We left after about twenty minutes and no one ever came to tak
Après :     ['walk', 'leave', 'minute', 'come', 'take', 'order', 'night', 'open', 'game', 'point']

Avant :     This bar has random hours. Its 1:15 am on a Thursday and front door locked, closed before 2 am? This
Après :     ['bar', 'hour', 'door_lock', 'happen', 'alot', 'close', 'deal', 'play', 'bartender', 'want']

Avant :     I typically love KFC but my opinion is changing based on increasing cost and poor service.

Was inte
Après :     ['love', 'opinion', 'change', 'base', 'increase', 'cost', 'service', 'try', 'flavor', 'advise']

Avant :     Mid century food in a place which is slightly below average in cleanliness and buffet was poorly sto
Après :     ['century', 'food', 'place', 'cleanliness', 'buffet', 'stock', 'peak', 'time', 'seasoning', 'colonel']

Avant :     Food: Luke warm 80 minutes before close 
Customer Service: got the eye roll for wanting to wait for 
Après :     ['food', 'minute', 'customer_service', 'eye', 'roll', 'want', 'wait', 'cheese', 'side', 'ignore']

Avant :     Normally this Hardees is quite good and the manager is wonderful. He is always friendly and helpful 
Après :     ['hardee', 'manager', 'work', 'food', 'moron', 'work', 'yesterday', 'business', 'work', 'food']

Avant :     OMG bad...  Slow service...  Bad food...  And flat beer...  This is a place to skip!  I would opt fo
Après :     ['service', 'food', 'beer', 'place', 'opt', 'airport', 'place', 'business', 'mystery']

Avant :     The food was good. It really was. I don't think it's better than a number of other restaurants - Cav
Après :     ['food', 'think', 'number', 'restaurant', 'grocery', 'atmosphere', 'market', 'price', 'dozen', 'oyster']

Avant :     What a cool atmosphere full of BS! Half the restaurant was empty yet the rude hostess would not seat
Après :     ['atmosphere', 'half', 'restaurant', 'hostess', 'seat', 'drink', 'take_min', 'make', 'cost', 'craft']

Avant :     Having participated in top chef and tasted ninas food during the competition, I was disappointed. Gr
Après :     ['participate', 'chef', 'taste', 'nina', 'food', 'competition', 'grant', 'eat', 'brunch', 'find']

Avant :     Don't waste your time with this restaurant. The service was slow. They forgot a drink order. Appetiz
Après :     ['waste_time', 'restaurant', 'service', 'forgot', 'drink', 'order', 'appetizer', 'come', 'minute', 'gap']

Avant :     We had eaten here a couple  of times before  relocating from Nola. The food and service was really i
Après :     ['eat', 'couple', 'time', 'relocate', 'food', 'service', 'say', 'tonight', 'experience', 'hostess']

Avant :     Don't bother coming here for happy hour. It doesn't exist. We had read a NOLA.com article raving abo
Après :     ['bother', 'come', 'hour', 'exist', 'read', 'nola', 'com', 'article', 'rave', 'hour']

Avant :     Mary Brown's tries to be KFC but lets face it.. no chicken place can compare toe greatness of the ch
Après :     ['try', 'kfc', 'let', 'face', 'chicken', 'place', 'compare', 'toe', 'greatness', 'chicken']

Avant :     Well ordered our food over phone says 25 min. Get here not ready. Taking care of others first. Food 
Après :     ['order', 'food', 'phone', 'say', 'min', 'take', 'care', 'food', 'take', 'care']

Avant :     Used to LOVE Black Diamond but not their staff has gotten lazy. I even asked one of the employees wh
Après :     ['use_love', 'diamond', 'staff', 'ask', 'employee', 'bbq_sauce', 'water', 'say', 'come']

Avant :     We have been patronizing this restaurant for about 8 months.  Have had good experiences until last 2
Après :     ['patronize', 'restaurant', 'month', 'experience', 'weekend', 'weekend', 'tell', 'take', 'understand', 'wait_minute']

Avant :     Came here cause I've heard a lot about it and it looks like a fun place to eat. I shared the Shrimpe
Après :     ['come', 'hear', 'lot', 'look', 'fun', 'place', 'eat', 'share', 'friend', 'suck']

Avant :     Crawfordsville INDIANA
I called and called Tuesday evening around 6 pm, no answer. I tried 5 times f
Après :     ['call', 'call', 'evening', 'answer', 'try', 'time', 'minute', 'drive', 'store', 'ask']

Avant :     We wer at the Ipod, but et was Ihap! Oh ma gawsh et was good experence pare!

When I see da menyou, 
Après :     ['ihap', 'gawsh', 'experence', 'pare', 'see', 'menyou', 'bat', 'expenseeb', 'expect', 'amount']

Avant :     When one orders food as part of a group, one does not expect to receive their food a full 10 minutes
Après :     ['order', 'food', 'part', 'group', 'expect', 'receive', 'food', 'minute', 'receive', 'complain']

Avant :     If you want bad service come to IHOP, we waited 25 min at our table, so we decided to leave and go t
Après :     ['want', 'service', 'come', 'ihop', 'wait_min', 'table', 'decide', 'leave', 'service', 'food']

Avant :     Second time there for brunch and will probably be our last. Food is way too pricey for the taste. Se
Après :     ['time', 'brunch', 'food', 'way', 'taste', 'service', 'take', 'minute', 'food', 'party']

Avant :     I love sweets and cinnamon rolls but I was very disappointed with this place. The rolls are large bu
Après :     ['love', 'sweet', 'cinnamon', 'roll', 'place', 'roll', 'ice', 'crunch', 'sugar', 'granule']

Avant :     Every time we go to this place, we go because of the enticing beer selections, but time after time w
Après :     ['time', 'place', 'entice', 'beer_selection', 'time', 'time', 'leave', 'bar', 'staff', 'make']

Avant :     The waiter was super nice and so was the owner. So, that part is great and lots of beers to choose f
Après :     ['waiter', 'owner', 'part', 'lot', 'beer', 'choose', 'restaurant', 'need', 'paint', 'redone']

Avant :     Zero stars. Very unclean and below average food.
Après :     ['star', 'food']

Avant :     The Drafting Room is a decent place if you're looking for table service, Belgian beers and dinner --
Après :     ['draft', 'room', 'place', 'look', 'table', 'service', 'dinner', 'miss_mark', 'become', 'hangout']

Avant :     Ambiance is a little old school. Food was decent. I had the turkey burger which was was really thick
Après :     ['school', 'food', 'burger', 'top', 'cheese', 'pepper', 'coworker', 'order', 'sandwich', 'look']

Avant :     Took the Chicken BLT off of the menu. Stupid move. It was a sure thing at TDR. Chicken livers......I
Après :     ['take', 'chicken', 'blt', 'menu', 'move', 'thing', 'chicken', 'liver', 'think']

Avant :     Great beer selection. However, we were disappointed with our meals (2 appetizers, 2 entrees, 2 desse
Après :     ['beer_selection', 'meal', 'appetizer', 'entree', 'dessert', 'bore', 'bland', 'meet_expectation', 'base', 'menu']

Avant :     Yuck. I know the beer list is supposed to be great, but as far as food is concerned, forget it. The 
Après :     ['know', 'beer', 'list', 'suppose', 'food', 'concern', 'forget', 'dining_area', 'table_chair', 'carpet']

Avant :     I really want to like this place.  Nice service, decent prices, good atmospehre.  The variety on the
Après :     ['want', 'place', 'service', 'price', 'variety', 'menu', 'presentation', 'food', 'quality', 'mussel']

Avant :     Interesting menu until you realize that smothered means bad sauce hiding bad protein. Service was fr
Après :     ['menu', 'realize', 'smother', 'mean', 'sauce', 'hide', 'protein', 'service', 'intentione', 'train']

Avant :     They sat us within 5 minutes and then took 40 minutes to even bring out sodas. The table next to us 
Après :     ['sit', 'minute', 'take', 'minute', 'bring', 'soda', 'table', 'server', 'beverage', 'come']

Avant :     Terrible service from the bar tender. Unless you are a regular she did not serve us. I was standing 
Après :     ['service', 'bar_tender', 'serve', 'stand', 'bar', 'money', 'hand', 'keep', 'people', 'irritate']

Avant :     Food was good overall. Not sure why we had to wait 30 minutes till we got it. Took way to long.
Après :     ['food', 'wait_minute', 'take', 'way']

Avant :     This was the worst grilled cheese I've EVER eaten!! Cheese wasn't melted but my bread was burnt?? So
Après :     ['grill_cheese', 'eat', 'cheese_melt', 'bread', 'burn', 'beet', 'look', 'stuff', 'pack', 'grill_cheese']

Avant :     This place was really cozy, and had a nice atmosphere. Two Chicks was clean, and the staff was  frie
Après :     ['place', 'atmosphere', 'chick', 'staff', 'juice', 'option', 'menu', 'salad', 'convention', 'center']

Avant :     I and my girlfriend went for breakfast today, having read rave reviews of their breakfast menu; our 
Après :     ['girlfriend', 'breakfast', 'today', 'read', 'rave_review', 'breakfast', 'menu', 'dining_experience', 'norm', 'place']

Avant :     When folks found out that I was heading to NOLA this weekend, " Oh, you've GOT to eat at Two Chick "
Après :     ['folk', 'find', 'head', 'weekend', 'eat', 'response', 'imagine', 'girlfriend', 'arrive', 'find']

Avant :     Terrible. Couldn't even get in the door

It was extremely unorganized. Never have I seen a restauran
Après :     ['door', 'see', 'restaurant', 'line', 'try', 'see', 'hostess', 'point', 'job', 'take']

Avant :     The Mama's really good spaghetti and meatballs pasta was not "Really Good." Hardly any sauce, and th
Après :     ['spaghetti_meatball', 'pasta', 'sauce', 'sauce', 'bore']

Avant :     Nice atmosphere, great food, poor service!

Let me start by saying THE FOOD IS DELICIOUS (husband ha
Après :     ['atmosphere', 'food', 'service', 'let_start', 'say', 'food', 'husband', 'pasta', 'vodka', 'sauce']

Avant :     Wonderful people, very kind. The quesadillas took too long and were not good. The guacamole was good
Après :     ['people', 'quesadilla', 'take', 'guacamole', 'tomato', 'thing']

Avant :     Typical Applebee's ... Service is slow. Served salad, when it arrived- asked for silverware...again 
Après :     ['applebee', 'service', 'serve', 'salad', 'arrive', 'ask', 'silverware', 'wait', 'find', 'server']

Avant :     Is there a zero star??? I have ate here twice and have got sick for days from just a plain burger an
Après :     ['star', 'eat', 'day', 'burger', 'fry', 'constipate', 'eat']

Avant :     This subway shop is awful. They are slow, the sandwiches are skimpy , and they are very unfriendly a
Après :     ['sandwich', 'skimpy', 'cash', 'day', 'credit_card', 'wait', 'make', 'wait_line', 'sandwich', 'let_know']

Avant :     The service SUCKS!!!!  The food is mediocre, at best,  and definitely not worth a second trip. We or
Après :     ['service', 'suck', 'food', 'trip', 'order', 'bread', 'start', 'order', 'app', 'entree']

Avant :     I went to brunch at Herbie's this morning with my family. We were a large group however, there were 
Après :     ['morning', 'family', 'group', 'lot', 'patron', 'restaurant', 'wait_minute', 'server', 'take', 'order']

Avant :     Joey and Darnell were great and very friendly and gave us great service outside!  I can't say the sa
Après :     ['give', 'service', 'say', 'bartender', 'catch', 'name', 'sit_bar', 'feel', 'existent', 'wait_minute']

Avant :     I was really excited when I saw the menu but we've been sitting here for an hour now. My coffee got 
Après :     ['excite', 'saw', 'menu', 'sitting', 'hour', 'coffee_refill', 'sign', 'food', 'know', 'leave']

Avant :     We really wanted to like this place based on the reviews. It got one star for outdoor ambience. Nice
Après :     ['want', 'place', 'base_review', 'star', 'ambience', 'fire', 'pit', 'atmosphere', 'service_slow', 'tell']

Avant :     I have gone to this restaurant many times in the past with some satisfactory results but the last tw
Après :     ['restaurant', 'time', 'result', 'time', 'dissappointe', 'try', 'hurry', 'way', 'work', 'order']

Avant :     Last time I ate at La Casona (and it's been about 2 years now) I ordered the Pollo relleno a la caso
Après :     ['time', 'eat', 'casona', 'year', 'order', 'casona', 'make', 'order', 'mofongo', 'ocassion']

Avant :     So my wife picked this place and to be honest I wish she had not. The staff was great. The food was 
Après :     ['pick', 'place', 'wish', 'staff', 'food', 'story', 'food', 'way', 'want', 'sum']

Avant :     Bad Service, Regular Food.


We were seated a the table for about 10 minutes waiting for the server.
Après :     ['service', 'food', 'seat', 'table', 'minute', 'wait', 'server', 'order', 'drink', 'appetizer']

Avant :     So disappointed. 
This was my go to place in Tampa. Last time, our waitress seemed very annoyed and 
Après :     ['place', 'time', 'waitress', 'seem', 'ask', 'make', 'alteration', 'menu', 'tend', 'make']

Avant :     I went with high expectations based on reviews, service was excellent , food not so much. Rice was t
Après :     ['expectation', 'base_review', 'service', 'food', 'rice', 'order', 'pork', 'make', 'fry', 'meet']

Avant :     Got the Cincinnati and the "three cheese" sauce was like what you get for free at 7-11. Not much mor
Après :     ['cincinnati', 'cheese', 'sauce', 'say', 'chili', 'produce', 'seem', 'alright', 'pair', 'ingredient']

Avant :     I liked Hot Diggity and it was a fun kid-friendly place to bring my son. I used to order a Fiesta do
Après :     ['like', 'diggity', 'fun', 'kid', 'place', 'bring', 'son', 'use', 'order', 'dog']

Avant :     Wasn't impressed by the crazy long lines and only 1 person working, took absolutely forever and was 
Après :     ['impress', 'line', 'person', 'work', 'take', 'food', 'coffee', 'recommend', 'place']

Avant :     Cool little spot with a neat eclectic atmosphere. Sadly, the coffee was not good. I can't speak to a
Après :     ['cool', 'spot', 'atmosphere', 'coffee', 'food', 'coffee', 'option', 'drink', 'drip_coffee']

Avant :     We live close by so decided to go here. Not up to expectations. The tv's were blasting loud and the 
Après :     ['live', 'decide', 'expectation', 'tv', 'blast', 'place', 'consider', 'people', 'food', 'lot']

Avant :     They used to be a great place to hangout. The kind of place that after you ate, you stuck around for
Après :     ['use', 'place', 'hangout', 'place', 'eat', 'stick', 'change', 'service', 'price', 'special']

Avant :     So far a two, its been a while since Ive been here went to a Phillies game with my nephew had to fee
Après :     ['phillie', 'game', 'nephew', 'feed', 'kid', 'aitte', 'wait', 'fry', 'smell', 'carpet']

Avant :     Salty, overly salted food. Crab fries need to be smothered in ketchup to counterbalance the salty se
Après :     ['salt', 'food', 'crab', 'fry', 'need', 'smother', 'ketchup', 'counterbalance', 'season', 'sauce']

Avant :     My mom and I had a fun night there but the waitress Danielle was walking everywhere when we need ser
Après :     ['mom', 'waitress', 'walk', 'need', 'service', 'crab', 'breaker', 'thank', 'lot', 'reading_review']

Avant :     Didn't feel like cooking so i ordered the crabs from uber eats. I guess they were having a bad day y
Après :     ['feel', 'cook', 'order', 'crab', 'eat', 'guess', 'day', 'yesterday', 'eat', 'crab']

Avant :     If you are craving sysco crinkle cut french fries with old bay thrown on them then this place is for
Après :     ['crave', 'sysco', 'crinkle', 'cut', 'fry', 'throw', 'place', 'service', 'suck', 'location']

Avant :     I ordered a special drink at 11:56 ( been trying since 10 of) when my bartender finally gave me the 
Après :     ['order', 'drink', 'try', 'bartender', 'give', 'drink', 'say', 'price', 'pass', 'show']

Avant :     We were here for an event honoring 9/11. I had the salad (surprise surprise) with grilled chicken. T
Après :     ['event', 'honor', 'surprise', 'surprise', 'grill', 'chicken', 'chicken', 'touch', 'mouth', 'water']

Avant :     WHAT A DISAPPOINTMENT!!!!
all we wanted was to have an onion loaf as a side dish with our lunch. Whe
Après :     ['disappointment', 'want', 'onion', 'loaf', 'side', 'lunch', 'ask', 'waitress', 'reply', 'happen']

Avant :     Crabby fries good. Atmosphere good. Cheese steak. Nasty. Horrid dry bun and meat. Cheese was really 
Après :     ['fry', 'atmosphere', 'cheese_steak', 'horrid', 'bun', 'meat', 'cheese', 'say', 'favorite']

Avant :     No problems with the actual restaurant but chickies and Pete's stands at bb&t pavilion and Lincoln f
Après :     ['problem', 'restaurant', 'chickie', 'pete', 'stand', 'pavilion', 'field', 'fry', 'cheese', 'cup']

Avant :     OK so this is a sports bar? Had to beg them to put on 1 of there 50 or more TV's the #1LSU vs. #2Bam
Après :     ['sport_bar', 'beg', 'put', 'tv', 'lsu', 'bama', 'game', 'oklahoma', 'state', 'know']

Avant :     This joint continually blasts loud rap music around the clock, disturbing the peace and quiet with t
Après :     ['blast', 'rap', 'music', 'clock', 'disturb', 'peace', 'garbage', 'dozen', 'dozen', 'traveler']

Avant :     not even happy with this place. here from out of town.  came to see our team play. stupid white girl
Après :     ['place', 'town', 'come', 'see', 'team', 'play', 'girl', 'hostess', 'give', 'table']

Avant :     Service sucked, food had no taste. This was not my first time here but this time it was horrible. Th
Après :     ['service', 'suck', 'food', 'taste', 'time', 'time', 'sit', 'child', 'section', 'freeze']

Avant :     not a fan...   Heard so much hype of this place.   ordered the Crabbie Fries which are froozen fries
Après :     ['fan', 'hear', 'hype', 'place', 'order', 'crabbie', 'fry', 'froozen', 'fry', 'fry']

Avant :     Not very good.

I'm curious to know if these are the same people from the Wise Guys burgers and frie
Après :     ['know', 'people', 'guy', 'burger', 'fry', 'pennsport', 'food', 'rating', 'surprise', 'food']

Avant :     Went to Wang Gang for lunch today.  Unhappy with two things:  

Spring rolls were served ice cold an
Après :     ['today', 'thing', 'spring_roll', 'serve', 'ice', 'pad', 'eat', 'service', 'prompt']

Avant :     I went here for my friends bday dinner & I love how they remodeled half of the restaurant. However, 
Après :     ['friend', 'dinner', 'love', 'remodel', 'half', 'restaurant', 'food', 'time', 'disappoint', 'waitress']

Avant :     What Chinese restaurant doesn't allow fried rice as an option with your meal?! You are required to p
Après :     ['allow', 'fry_rice', 'option', 'meal', 'require', 'place', 'order', 'addition', 'rice', 'come']

Avant :     How exactly do you send out an order of Thai Basil Rice and forget the Thai Basil?  This is the seco
Après :     ['send', 'order', 'rice', 'forget', 'time', 'happen']

Avant :     I like the interior... but, the food is overpriced and the owner is very chatty.  Usually, I come in
Après :     ['food', 'overprice', 'owner', 'chatty', 'come', 'lunch', 'eat', 'work']

Avant :     Clear your schedule! Its gonna take a while.  I had an omelet, it was just ok.
Après :     ['schedule', 'take', 'omelet']

Avant :     The food was great and our waiter was super friendly, but the hostess was a nightmare. We got a tabl
Après :     ['food', 'waiter', 'nightmare', 'table', 'member', 'party', 'parking', 'tell', 'seat', 'explain']

Avant :     Terrible, terrible, terrible service. Good food. Waited 1.5 hours to eat. Had to ask for refills EVE
Après :     ['service', 'food', 'wait', 'hour', 'eat', 'ask', 'refill', 'everytime', 'feeling', 'neglect']

Avant :     This is 3 hours of our life we will never get back.  The 1 hour wait is understandable. However, onc
Après :     ['hour', 'life', 'hour', 'wait', 'seat', 'take_min', 'server', 'come', 'table', 'min']

Avant :     Words can not even begin to express the disgust that I have for this place. The service was was some
Après :     ['word', 'begin', 'express', 'place', 'service', 'see', 'table', 'hour', 'wait', 'see']

Avant :     Rudest people in the area. Plenty of open tables but would not seat me because I was one person.  I 
Après :     ['people', 'area', 'table', 'seat', 'person', 'complain', 'let', 'sit', 'take', 'person']

Avant :     The pizza was undercooked bottom line. I ordered a medium with bacon and pepperoni and I'm sorry to 
Après :     ['pizza', 'undercooke', 'line', 'order', 'bacon', 'pepperoni', 'report', 'topping', 'employee']

Avant :     Employees walked around and one was on their phone while boxing up my order. I was quite annoyed bec
Après :     ['employee', 'walk', 'phone', 'boxing', 'order', 'want', 'people', 'touch', 'phone', 'touch']

Avant :     The owners are assholes.  On multiple occasions I've ordered $200+ worth of pies to be delivered to 
Après :     ['owner', 'asshole', 'occasion', 'order', 'pie', 'deliver', 'compatriot', 'mile', 'establishment', 'order']

Avant :     They always get the order wrong, not sure if it's on purpose that they leave out stuff or what. Ever
Après :     ['order', 'purpose', 'leave', 'stuff', 'time', 'order', 'bacon', 'burger', 'meat', 'cheese']

Avant :     First time visiting this place after my girlfriend went on about how amazing culverts is. The cheese
Après :     ['time', 'visit', 'place', 'girlfriend', 'culvert', 'cheese', 'curd', 'bacon', 'cheese', 'burger']

Avant :     Never again. I have been threw drive thur 3 time every time my order was messed up, On top of this. 
Après :     ['throw', 'time', 'time', 'order', 'mess', 'top', 'email', 'office', 'week', 'pass']

Avant :     Burger was lame.  Crinkle fries undercooked and tasteless.

Damn good shake though.  Waaay over pric
Après :     ['lame', 'crinkle', 'fry', 'undercooke', 'shake', 'price']

Avant :     Too many employees and they don't know what they're doing. I ordered chicken tenders with honey must
Après :     ['employee', 'know', 'order', 'chicken_tender', 'give', 'cut', 'chicken_breast', 'pack', 'honey']

Avant :     At first I thought the prices here were pretty decent, but then I realized that they charge for ever
Après :     ['think', 'price', 'realize', 'charge', 'add', 'chip_salsa', 'rice_bean', 'fine', 'food', 'side']

Avant :     I wish I could go back and time and not eat here. We waited 50 minutes for cold chips and salsa, the
Après :     ['wish', 'back', 'time', 'eat', 'wait_minute', 'chip_salsa', 'gallo', 'charge', 'ask', 'say']

Avant :     We ordered delivery because I'm sick at home. For $12 carnitas that was supposed to come with cilant
Après :     ['order', 'delivery', 'home', 'carnita', 'suppose', 'come', 'cilantro', 'onion', 'non', 'include']

Avant :     Ordered food came super fast! But when we ordered dessert that's when it took 20 mins.  When the des
Après :     ['order', 'food', 'come', 'order', 'dessert', 'take_min', 'dessert', 'come', 'table', 'gf']

Avant :     The food is okay sometimes. The Mexican style food isn't that good but the BBQ stuff here is actuall
Après :     ['food', 'style', 'food', 'bbq', 'stuff', 'star', 'people', 'party', 'suck', 'eyelash']

Avant :     Long wait time for outside seating. Food was OK. WAY TOO SPICY. Not able to enjoy due to food being 
Après :     ['wait', 'time', 'seat', 'food', 'way', 'enjoy', 'food', 'way', 'spicy', 'waitress']

Avant :     I ordered takeout from here a week ago. I ordered a chicken wrap, my boyfriend ordered pulled pork. 
Après :     ['order', 'takeout', 'week', 'order', 'chicken', 'wrap', 'boyfriend', 'order', 'pull_pork', 'lead']

Avant :     Okay food that's being held hostage by a poor management team and horrible waitresses. Open tables c
Après :     ['food', 'hold', 'hostage', 'management_team', 'waitress', 'table', 'seat', 'seating', 'strategy', 'expect']

Avant :     Ordered a smoked chicken quesadilla last night and there was a long hair in it that was threaded thr
Après :     ['order', 'smoke', 'chicken_quesadilla', 'night', 'hair', 'thread', 'chicken', 'time', 'wax', 'paper']

Avant :     First of all , I waited about an hour in the heat after being seated for a salad. Three tables were 
Après :     ['wait', 'hour', 'heat', 'seat', 'salad', 'table', 'sit', 'receive', 'food', 'time']

Avant :     I really hate this place . It is always terrible but I love so close I always give it a try after tr
Après :     ['hate', 'place', 'love', 'give', 'try', 'try', 'order', 'order', 'care', 'make']

Avant :     Wish I could give it 0

Food order was delayed by almost two hours and didn't hear back from anyone 
Après :     ['wish', 'give', 'food', 'order', 'delay', 'hour', 'hear', 'let_know', 'issue']

Avant :     Mexican themed bar and restaurant.

Food: not bad, but below average for this price point.
Service: 
Après :     ['bar', 'restaurant', 'food', 'price', 'point', 'service', 'hang', 'neighborhood', 'reason', 'make']

Avant :     Service was decent, better than a lot of times i've been here, its usually awful, and for the poor s
Après :     ['service', 'lot', 'time', 'service', 'plague', 'liberty', 'list', 'flavor', 'come', 'sit']

Avant :     I really don't like being told that the chef changed how something is made months ago and that I hav
Après :     ['tell', 'chef', 'change', 'make', 'month', 'eat', 'buttermilk', 'know', 'dish', 'remove']

Avant :     I just order 5 meals 1 of which was never even entered. So I never got it. But the 4 orders I did re
Après :     ['order', 'meal', 'enter', 'order', 'receive']

Avant :     This was an overall AWFUL experience! If I could give less than 1 star, I would. The food was a joke
Après :     ['experience', 'give_star', 'food', 'fry', 'smother', 'cheese', 'sauce', 'stringy', 'pay', 'rice_bean']

Avant :     Their food is delicious but their service is lackluster especially when it comes to take out. I shou
Après :     ['service', 'come', 'take', 'know', 'check', 'take', 'take', 'door', 'reconcile', 'order']

Avant :     Great happy hour special with margaritas. The food is more southwestern than Mexican, which surprise
Après :     ['hour', 'margarita', 'food', 'mexican', 'surprise', 'time', 'piggy', 'wing', 'order', 'full']

Avant :     I have experienced better. When we arrived the place was reasonably packed and continued to fill up,
Après :     ['experience', 'arrive', 'place', 'pack', 'continue', 'fill', 'think', 'sign', 'water', 'minute']

Avant :     Hey guys, thanks for slamming down the corrected plate of my friend's food on our table. We couldn't
Après :     ['guy', 'thank', 'correct', 'plate', 'friend', 'food', 'table', 'tell', 'piss', 'speak']

Avant :     wanna feel completely ripped and hungry after ordering Mexican food?  Well have I got the restaurant
Après :     ['feel_rip', 'order', 'food', 'restaurant', 'guy', 'leave', 'guy', 'waste_money', 'order', 'place']

Avant :     Okay spot with relatively cheap eats. Margaritas are average. Waiters seem confused, don't know why.
Après :     ['spot', 'eat', 'waiter', 'seem', 'worker', 'buzz', 'guy', 'take', 'worker', 'corner']

Avant :     Dog food. I told the bartender our food was bad and they took off a round of drinks...2 cans of Mill
Après :     ['tell', 'bartender', 'food', 'take', 'drink', 'manager', 'find', 'want', 'take', 'bartender']

Avant :     Over charged credit card by over $100 but refuse to produce an itemized receipt. Do not go here. The
Après :     ['charge', 'credit_card', 'refuse', 'produce', 'receipt', 'manager', 'provide', 'video', 'footage', 'type']

Avant :     This place is below average. We ordered two drinks: the beer wasn't very cold and no glass was offer
Après :     ['place', 'average', 'order', 'drink', 'beer', 'glass', 'offer', 'mojito', 'make', 'mixer']

Avant :     I've been to el Camino multiple times and each time service was slow , waitress wasn't helpful with 
Après :     ['time', 'service', 'waitress', 'question', 'menu', 'food', 'drink', 'water', 'feel', 'welcome']

Avant :     One word: Laziness.

That pretty much sums it up. This spot is receiving two stars primarily because
Après :     ['word', 'laziness', 'sum', 'spot', 'receive', 'star', 'hour', 'meh', 'say', 'mess']

Avant :     I gave this place 1 star only because I had to.  I had the worst margarita ever and dont order the b
Après :     ['give', 'order', 'bean_rice', 'yuck']

Avant :     i just read the latest review and i completely agree. dont go in if its busy. the past two times i w
Après :     ['read_review', 'agree', 'time', 'service', 'waitress', 'stress', 'work', 'day', 'make', 'ruin']

Avant :     Sooooo I've been here a million times before i turned horribly lactose intolerant and could eat chee
Après :     ['time', 'turn', 'intolerant', 'eat', 'cheese', 'today', 'learn', 'cheese', 'substitute', 'carry']

Avant :     The food is great, but honestly they might have the worst service in the city. Be prepared for an ex
Après :     ['food', 'service', 'city', 'prepare', 'wait', 'seat', 'restaurant', 'wait', 'order', 'receive']

Avant :     The best part of any Mexican restaurant is the guac. El Camino's guac and chips are horrendus. The c
Après :     ['part', 'chip', 'spice', 'sprinkle', 'water', 'texture', 'mush', 'special', 'tend', 'hang']

Avant :     Was excited to go here because of its location but I ended up getting food poisoning after and was t
Après :     ['location', 'end', 'food_poisoning', 'throwing', 'night', 'cause', 'thing', 'eat', 'breakfast', 'hour']

Avant :     Once again, the service at El Camino left much to be desired. My friend and I came in on Saturday ar
Après :     ['leave_desire', 'friend', 'come', 'seat', 'room', 'restaurant', 'bring', 'water', 'watch', 'group']

Avant :     The food was okay but days after having eaten at Jim's I heard of articles in the local newspaper ta
Après :     ['food', 'day', 'eat', 'hear', 'article', 'newspaper', 'talk', 'sanitation', 'story', 'worth']

Avant :     This is the worst Dunkin' Donuts I've ever been too. It's filthy. I wouldn't even say the staff is p
Après :     ['dunkin', 'donut', 'say', 'staff', 'train', 'train', 'care']

Avant :     By far, this is the slowest DD in the area. Even if you're the only one in the drive thru, it'll tak
Après :     ['area', 'drive', 'take_min', 'coffee', 'wait_minute', 'car', 'line', 'warrant', 'wait', 'drive']

Avant :     First off, my husband went through the drive through and he was told the wait would be 5 mins even t
Après :     ['husband', 'tell', 'wait_min', 'night', 'person', 'line', 'husband', 'ask', 'min', 'see']

Avant :     This place is not worth coming to, dont waste your time and MONEY!! They steal your money, don't giv
Après :     ['place', 'come', 'waste_time', 'money', 'steal', 'money', 'give', 'change', 'lie', 'pay_attention']

Avant :     Every single time I order coffee here through the drive through it's horrible or ... they get it wro
Après :     ['time', 'order', 'coffee', 'drive', 'order', 'thing', 'time', 'employee', 'understand', 'ingredient']

Avant :     Woah! I was all excited for some sidewalk dining today and came across this place that I had passed 
Après :     ['sidewalk', 'dining', 'today', 'come', 'place', 'pass', 'time', 'thinking', 'sandwich', 'make']

Avant :     I'm sorry - but ANJOU is WEAK!!!

From the outside it looks appealing.  The menu sounds like it's go
Après :     ['anjou', 'look', 'appeal', 'menu', 'sound', 'bit', 'meh', 'meh', 'meh', 'pizzicato']

Avant :     Previously Over-Rated, and Clearly Over-Priced.

After walking around in the coldness yesterday sear
Après :     ['rate', 'price', 'walk', 'coldness', 'yesterday', 'search', 'lunch', 'spot', 'city', 'come']

Avant :     Ugh!  Awful, awful, awful!  My husband and I went for a late lunch on a Sunday afternoon.  There was
Après :     ['husband', 'lunch', 'afternoon', 'occupy', 'table', 'restaurant', 'order', 'salad', 'start', 'wait']

Avant :     Service is always bad. Yet I kept giving them more chances. The sushi is mediocre at best. The staff
Après :     ['service', 'keep', 'give_chance', 'staff', 'confuse', 'knowledge', 'menu', 'cocktail', 'wine', 'give']

Avant :     So.  Big disappointment.  DosA's were clearly made yesterday.  They were in a large pile on a makesh
Après :     ['disappointment', 'make', 'yesterday', 'pile', 'makeshift', 'grill', 'look', 'kebab', 'tandoori', 'chicken']

Avant :     Had one good experience here for dinner. On our 2nd visit my girlfriend found a small stone in the a
Après :     ['experience', 'dinner', 'visit', 'girlfriend', 'find', 'stone', 'appetizer', 'piece', 'gravel', 'offer']

Avant :     Average food. They don't even know the difference b/w chicken karhai and Salan  that was really disa
Après :     ['food', 'know', 'difference']

Avant :     Horrible experience, cold tasteless food and subpar etiquette.

I was hoping for some good panjabi f
Après :     ['experience', 'food', 'subpar', 'etiquette', 'hope', 'food', 'disappoint']

Avant :     Hamburger was over cooked and bland, the side salad was soggy and sweet. Both were overpriced. They 
Après :     ['cook', 'bland', 'side', 'salad', 'overprice', 'craft_beer', 'offer', 'evening', 'menu', 'limit']

Avant :     As far as burger places go, this one about meets expectations. The foods nor bad, just not all that 
Après :     ['place', 'meet_expectation', 'food', 'bacon', 'burger', 'fry', 'meal', 'serve', 'catch', 'friend']

Avant :     Food was fine - what you'd expect from a pub-type restaurant.  Our kids said the noodles on the kids
Après :     ['food', 'fine', 'expect', 'pub', 'type', 'restaurant', 'kid', 'say', 'noodle', 'kid']

Avant :     This was my first time to try Bagger Daves.  The service was good but they weren't busy on Sunday ni
Après :     ['time', 'try', 'bagger', 'dave', 'service', 'night', 'waitress', 'read', 'order', 'back']

Avant :     Giving it two stars because the food is actually pretty good, when you finally receive it. The servi
Après :     ['give_star', 'food', 'receive', 'service', 'food', 'way', 'price', 'waste_time', 'call', 'order']

Avant :     This place is a disaster. The menu is horribly overpriced and is poor quality. Their in-house soda i
Après :     ['place', 'disaster', 'menu', 'overprice', 'quality', 'house', 'soda', 'good', 'nickel', 'dime']

Avant :     I know how hard it is to escape a bad Yelp review but here we go...this was a major disappointment. 
Après :     ['know', 'escape', 'yelp_review', 'disappointment', 'burger', 'seem', 'consider', 'cost', 'comment', 'wife']

Avant :     Dude.....what is the deal with this franchise not pre mixing tuna? Two separate locations have pre m
Après :     ['dude', 'deal', 'franchise', 'pre', 'mix', 'tuna', 'location', 'pre', 'tuna', 'plenty']

Avant :     Whenever we are in the mood for pizza I usually order busters instead of pizza 73 or Pizza Hut. I ab
Après :     ['mood', 'pizza', 'order', 'buster', 'pizza', 'pizza_hut', 'love', 'cheese', 'bread', 'pizza']

Avant :     I don't know what so special about this place. I had classic chicken parm. It was okay, but I had ex
Après :     ['know', 'place', 'parm', 'expect']

Avant :     The Customer service I have ever experienced dining out.  We called on Friday for a 7;00 reservation
Après :     ['customer_service', 'experience', 'dining', 'call', 'reservation', 'sit', 'arrive', 'minute', 'wait', 'hour']

Avant :     The food here was good, in general, but what we were told was squid was octopus. Our server apparent
Après :     ['food', 'general', 'tell', 'octopus', 'server', 'know', 'difference', 'see', 'bring', 'octopus']

Avant :     Worst Restaurant ever been to. Overpriced, small servings, pizza full of pepper, No one in my party 
Après :     ['restaurant', 'overprice', 'serving', 'pizza', 'pepper', 'party', 'party', 'touch', 'food', 'waste_money']

Avant :     Just went last night with my son, Monday night, 7pm, only about 4 tables filled. We got a nice booth
Après :     ['night', 'night', 'pm', 'table', 'fill', 'booth', 'look', 'splatter', 'sort', 'food']

Avant :     Lived in the fishtown neighborhood for 5+ years now.   Chinese food was always missing so we tried t
Après :     ['live', 'fishtown', 'neighborhood', 'year', 'food', 'miss', 'try', 'place', 'evening', 'food']

Avant :     I went here because several people said the sushi was great. It was HORRIBLE. I had to throw more th
Après :     ['people', 'say', 'throw', 'half', 'meal', 'eat']

Avant :     Went in to pick up sushi and a six pack a couple nights ago. After selecting my six pack to woman at
Après :     ['pick', 'pack', 'couple', 'night', 'select', 'pack', 'woman_counter', 'begin', 'remove', 'beer']

Avant :     This is one of the most profoundly poor experiences I have ever had with a meal involving sushi.  Th
Après :     ['experience', 'meal', 'involve', 'fish', 'rice', 'warm', 'chicken', 'come', 'bird', 'celebrate']

Avant :     Not as good as I expected. The chefs were Mexican??? We ended up spending over $40 for two ppl for l
Après :     ['expect', 'chef', 'end', 'spend', 'lunch', 'deal', 'fill', 'waitress']

Avant :     I used to love this location but it's gone downhill. Service takes forever even if there is barely a
Après :     ['use_love', 'location', 'service', 'take', 'order', 'staff', 'slow', 'food', 'post', 'spot']

Avant :     Nasty flavor. Very sloppy presentation. Empty on Thursday night. Never again. Best part was the serv
Après :     ['flavor', 'presentation', 'night', 'part', 'serve', 'staff']

Avant :     It has now been twice where I have called in the attempt to place in order to go & told no go.  This
Après :     ['call', 'attempt', 'place', 'order', 'tell', 'evening', 'call', 'put_hold', 'hour', 'post']

Avant :     The worst. Server was new and didn't know the menu and the manager didn't help the guy. The bar didn
Après :     ['server', 'know', 'menu', 'manager', 'help', 'guy', 'bar', 'ingredient', 'make', 'drink']

Avant :     The Monday night happy hour lasts all night and offers a selection of two for one rolls and discount
Après :     ['night', 'hour', 'last', 'night', 'offer', 'selection', 'roll', 'discount', 'appetizer', 'like']

Avant :     My wife and I never had a chance to taste the food. We left after 20 minutes without so much as a gl
Après :     ['wife', 'chance', 'taste', 'food', 'leave', 'minute', 'glance', 'staff', 'bar', 'none']

Avant :     If you have all day, come
Here. If you are hungry stay away. We have waited more than 30 minutes wit
Après :     ['day', 'come', 'stay', 'wait_minute', 'table', 'say', 'tell', 'start', 'come', 'minute']

Avant :     Had lunch there, staff were a delight, food over priced hate the bag thing. I like plates eating in.
Après :     ['lunch', 'staff', 'food', 'price', 'hate', 'bag', 'thing', 'plate', 'eat', 'denny']

Avant :     Its okay it one likes overpriced ice cream....'the gotta have' it menu! Nice its 'fixed' in front of
Après :     ['like', 'ice_cream', 'menu', 'fix', 'front', 'dollop', 'stuff', 'extra', 'coupon', 'cept']

Avant :     Worse customer service I ever had at this ice cream please.
The server was not polite... Did not eve
Après :     ['customer_service', 'ice_cream', 'server', 'polite', 'make', 'mix', 'ingredient']

Avant :     Just Ok BBQ...ribs seemed warmed over and not fresh.  The cornbread was inedible.  Considering the l
Après :     ['seem', 'warm', 'cornbread', 'consider', 'amount', 'time', 'spend', 'wait', 'lunch', 'underwhelme']

Avant :     I come here ALL the time and the food is amazing. After a night of work, my friends and I received t
Après :     ['come', 'time', 'food', 'night', 'work', 'friend', 'receive', 'service', 'take', 'hour']

Avant :     Make sure you ask how each item is made before you order it  For example, the mashed potatoes are mi
Après :     ['make', 'ask', 'item', 'make', 'order', 'example', 'potato', 'mix', 'cheese', 'congeal']

Avant :     Stopped in and tried this place for the 1st time. Ordered coffee, tomato juice, ham & cheese omelett
Après :     ['stop', 'try', 'place', 'time', 'order', 'coffee', 'tomato', 'juice', 'come', 'potato']

Avant :     I wanted to like this place but it felt more like a mass chain than a great local find. The staff we
Après :     ['want', 'place', 'feel', 'mass', 'chain', 'find', 'staff', 'wait', 'custom', 'omelet']

Avant :     The place has a cute atmosphere. Our waitress was really nice. I was not impressed with the food. Th
Après :     ['place', 'atmosphere', 'waitress', 'food', 'people', 'grit', 'pancake', 'cook', 'hollandaise_sauce', 'serve']

Avant :     Food was undercooked, had to send the food back 3 times before the got it semi right. After the 3rd 
Après :     ['food', 'send', 'food', 'time', 'rd', 'time', 'feed', 'eat', 'way_overprice', 'quality']

Avant :     I don't know what is so "famous " about this place except being over priced. Omelets were close to 1
Après :     ['know', 'place', 'price', 'omelet', 'close', 'service', 'chair', 'cheapy', 'impress']

Avant :     I'm surprised by all the good reviews. I feel like there must be two restaurants - the one I ate at 
Après :     ['surprise', 'review', 'feel', 'restaurant', 'eat', 'give_star', 'eat', 'steak', 'egg', 'steak']

Avant :     Had the perogies with sausage, just average .
The hamburger was a frozen patty, no taste, for juice.
Après :     ['perogie', 'sausage', 'hamburger', 'freeze', 'taste', 'juice', 'send', 'take', 'bill', 'come']

Avant :     Ok the picture of that hamburger was exactly how it tasted I don't think I ever had a hamburger that
Après :     ['picture', 'hamburger', 'taste', 'think', 'hamburger', 'send', 'burger']

Avant :     Uncle Ed's serves up tasty, home-made Ukranian comfort food. Make sure you come with an appetite! Th
Après :     ['serve', 'home', 'make', 'comfort', 'food', 'make', 'come', 'home', 'make', 'pie']

Avant :     Taps are dirty / beer is flat and the food sucks 
They managed to screw up a baked pretzel app.  How
Après :     ['tap', 'beer', 'food', 'suck', 'manage', 'screw']

Avant :     45 minutes for 2 burgers and philly. no excuses. burgers lacked flavor and when presented looked lik
Après :     ['minute', 'burger', 'excuse', 'burger', 'lack_flavor', 'present', 'look', 'throw', 'plate', 'manager']

Avant :     Well they got rid of my fish sandwich only have fillets so I properly won't be back again. $17 for a
Après :     ['rid', 'fish', 'sandwich', 'fillet', 'lunch', 'expect', 'disappoint', 'food', 'come', 'reason_star']

Avant :     Ate inside here a couple of years ago with friends and we loved it and had a blast, great atmosphere
Après :     ['eat', 'couple', 'year', 'friend', 'love', 'blast', 'atmosphere', 'run', 'couple', 'thing']

Avant :     I used to take clients here a lot for lunch/dinner because of its convenient location, however after
Après :     ['use', 'take', 'client', 'lot', 'lunch', 'dinner', 'location', 'experience', 'night', 'meet']

Avant :     I was there on a Sunday to watch some football. It's not that bad of a place, I mean the food isn't 
Après :     ['watch', 'football', 'place', 'mean', 'food', 'clientele', 'movie', 'guy', 'wear', 'visor']

Avant :     Great place to go if you like loud noise (I could not hear the person next to me), lousy food (also 
Après :     ['place', 'noise', 'hear', 'person', 'food', 'overprice', 'service', 'come', 'time', 'show']

Avant :     This place has the worst food I have ever tasted.  I had the onion soup - it was thick, more like st
Après :     ['place', 'food', 'taste', 'onion_soup', 'soup', 'bite', 'taste', 'salt', 'add', 'water']

Avant :     Not a place for large groups or a hungry group. Hardly any team work in this venue. Our waitress had
Après :     ['place', 'group', 'group', 'team', 'work', 'venue', 'waitress', 'group', 'spread', 'table']

Avant :     A first. 2:17 on a Sunday, walked in and there where honestly as many empty tables as there were tak
Après :     ['walk', 'table', 'take', 'count', 'table', 'top', 'hostess', 'look', 'tell', 'wait_minute']

Avant :     Food was terrible and there were dead flies next to us in the window. Wouldn't go back. There are so
Après :     ['food', 'fly', 'window', 'restaurant', 'tampa']

Avant :     Pretzels were good. Place is nice with lots of TVs and a fireplace. Apps are 5 dollars at happy hour
Après :     ['pretzel', 'place', 'lot', 'tv', 'fireplace', 'app', 'dollar', 'hour', 'order', 'sandwich']

Avant :     The draft beer choices are actually pretty good here. Of course I am biased cause they actually have
Après :     ['draft_beer', 'choice', 'course', 'cause', 'yuengle', 'draft', 'yuengling', 'fan', 'food', 'friend']

Avant :     We used to come here 1-2 times each week. As of December 2016, food quality and quantity has greatly
Après :     ['use', 'come', 'time', 'week', 'food', 'quality_quantity', 'diminish', 'hh', 'portion', 'price']

Avant :     The worst General Tso's chicken ever. It had a burnt taste and it was dry. They took about 2 hours t
Après :     ['burn', 'taste', 'take', 'hour', 'deliver', 'mess', 'spend']

Avant :     I ordered take out with coworkers (Singapore Noodles) for lunch one day and ended up with an appetiz
Après :     ['order', 'take', 'coworker', 'lunch', 'day', 'end', 'appetizer', 'size', 'portion', 'cost']

Avant :     Biggest group of Dunkin Donuts idiots I have ever come across in my life!!
Après :     ['group', 'dunkin', 'donut', 'idiot', 'come', 'life']

Avant :     Coffee is decent, prices are alright for there coffee the food is way overpriced for the quality tha
Après :     ['coffee', 'price', 'alright', 'coffee', 'food', 'way_overprice', 'quality', 'drive', 'issue', 'drive']

Avant :     This is a place that, for me, has been hit or miss.

When they hit, they hit a grand slam.

When the
Après :     ['hit', 'hit', 'hit_miss', 'miss', 'fairness', 'food', 'average', 'pizza', 'burger', 'salad']

Avant :     Come here every month for last 13 months straight for WWE Shows. Tonight was the worst service, horr
Après :     ['come', 'month', 'month', 'wwe', 'show', 'tonight', 'service', 'waitress', 'take_min', 'ask']

Avant :     It has a decent beer selection, but it can get very smokey: too much smoke in the air for me.
Après :     ['beer_selection', 'smokey', 'smoke', 'air']

Avant :     the waiter we had made this the absolute worst dining experience i've ever had. as my party and i we
Après :     ['waiter', 'make', 'dining_experience', 'party', 'order', 'waiter', 'stop', 'rush', 'wait', 'food']

Avant :     I went to eat at this so called great diner the food was disgusting plus we ordered takeout food it 
Après :     ['eat', 'call', 'diner', 'food', 'order', 'takeout', 'food', 'order', 'complain', 'tell']

Avant :     Maybe I misordered (Alaska roll lunch box) but it wasn't good. Boring and lacking flavor. The dumpli
Après :     ['misordere', 'lunch', 'box', 'lacking', 'flavor', 'dumpling', 'part', 'wonder', 'time', 'reheat']

Avant :     Came for lunch with a friend. Ordered the bulgogi box which came with miso soup, salad, two dumpling
Après :     ['come', 'lunch', 'friend', 'order', 'come', 'soup', 'salad', 'dumpling', 'piece', 'sushi']

Avant :     Don't waste your time trying to get service in an empty place it is exhausting . Service sucks and t
Après :     ['waste_time', 'try', 'service', 'place', 'exhaust', 'service', 'suck', 'waitress']

Avant :     This has to be one of the worst Pizzas i ever had.Sauce way too sweet ,thin and soggy crust i think 
Après :     ['pizza', 'sauce', 'way', 'crust', 'think', 'pizza', 'beat', 'finish', 'slice', 'throw']

Avant :     I can walk here and won't go back even if they were the only place open at 2am.  I got the basic gen
Après :     ['walk', 'place', 'tso', 'come', 'pass', 'test', 'east', 'cuisine']

Avant :     First visit in 10 years and won't be going back. Poor quality food prepared with no skill. Sweet/ so
Après :     ['visit', 'year', 'quality', 'food', 'skill', 'pork', 'greasy', 'tempura', 'coating', 'pork']

Avant :     Servers were super slow and aloof bordering on rude. Coffee was burned. 
The physical locale of Blin
Après :     ['server', 'slow', 'aloof', 'border', 'coffee', 'burn', 'locale', 'tiger', 'brick', 'room']

Avant :     $6.42 for a 24 oz iced vanilla latte seriously highway robbery cheaper at Kahwa caffeine buddybrew a
Après :     ['ice', 'vanilla', 'latte', 'highway', 'robbery', 'caffeine', 'buddybrew', 'starbuck', 'become', 'millionaire']

Avant :     Came from Jacksonville and stayed for a week, looked online for a different coffee shop for my son a
Après :     ['come', 'stay', 'week', 'look', 'coffee_shop', 'try', 'experience', 'order', 'coffee', 'pastry']

Avant :     Not impressed. Cool vibe but $13 for two small iced coffees and one bagel seems excessive. My drink 
Après :     ['impress', 'vibe', 'ice', 'coffee', 'bagel', 'seem', 'drink', 'ice', 'coffee', 'caramel']

Avant :     I ordered chicken tikka masala and fish curry for dinner. They didn't taste as fresh and good as I h
Après :     ['order', 'chicken_tikka', 'dinner', 'taste', 'expect', 'owner', 'restaurant', 'call', 'apologize', 'restaurant']

Avant :     wasn't blown away by how good this place is. its close by so thats a major plus. but as far as the f
Après :     ['blow', 'place', 'food', 'line', 'place', 'note', 'portion_size', 'price', 'reason', 'back']

Avant :     If you go here, beware.  If the bar attended is a blond with the name of Celina, sit at a table and 
Après :     ['beware', 'bar', 'attend', 'name', 'celina', 'table', 'wait', 'bar', 'attendant', 'lady']

Avant :     First time here, can't get over the fact that the entire place is full of smoke, the only reason I c
Après :     ['time', 'fact', 'place', 'smoke', 'reason', 'come', 'recommend', 'fry', 'bacon', 'spare']

Avant :     Based on great reviews, our party (in need of brunch) on a November Sunday, went looking for the Spe
Après :     ['base', 'party', 'need', 'brunch', 'look', 'hen', 'find', 'farmer', 'market', 'hear']

Avant :     This place has really gone downhill in recent years.   I have great memories...but alas, that's all 
Après :     ['place', 'year', 'memory', 'leave', 'seem', 'time', 'notice', 'look', 'kitchen', 'bathroom']

Avant :     We went there for lunch earlier this week.  I haven't felt right since.  I had a salad.  The lettuce
Après :     ['lunch', 'week', 'feel', 'salad', 'lettuce', 'taste', 'guess', 'order', 'pizza']

Avant :     Tried to go here for Father's Day today,looked really cute, but we arrived exactly at 11:30am and ap
Après :     ['try', 'day', 'today', 'look', 'arrive', 'change', 'lunch', 'refuse', 'seat', 'tell']

Avant :     Was there for my first and last in one trip...The service was ok. Food just ok, had a hambuger that,
Après :     ['trip', 'service', 'food', 'hambuger', 'send', 'ask', 'soup', 'give', 'size']

Avant :     I decided to give this restaurant a second try. Still is bad. Pizza and pasta dominate the menu. Sal
Après :     ['decide', 'give', 'restaurant', 'try', 'pizza', 'pasta', 'dominate', 'menu', 'salad', 'top']

Avant :     Italian (Chicken Parm) was awful. Sauce had no flavor, and the Chicken wasn't even pounded flat (not
Après :     ['parm', 'sauce', 'flavor', 'pound', 'pound', 'bread', 'chicken', 'stick', 'make', 'home']

Avant :     I have had better food & service. It really looked like the place needed a good mopping, & my burger
Après :     ['food', 'service', 'look', 'place', 'need', 'mop', 'burger', 'time', 'fry']

Avant :     This was the worst restaurant i've been to. The service was terrible, the food was horrible, and aft
Après :     ['restaurant', 'service', 'food', 'stomach', 'hurt', 'child', 'puke', 'recommend', 'place', 'friend']

Avant :     BAD SEVICE. The cook at our table had to tell our waiter to refill our drinks, and even come back to
Après :     ['sevice', 'cook', 'table', 'tell', 'waiter', 'refill_drink', 'come', 'table', 'wait', 'price']

Avant :     Just moved to TN and went here for hibachi dinner with my family. Every single part of the meal was 
Après :     ['move', 'tn', 'dinner', 'family', 'part', 'meal', 'douse', 'sauce', 'rice', 'live']

Avant :     It says you can do take out, but when I walked in the rude waitress came up to me, never smiled, and
Après :     ['say', 'take', 'walk', 'waitress', 'come', 'smile', 'ask', 'order', 'say', 'lunch']

Avant :     We ate here last weekend. The waitress was very attentive and polite. the food was nothing special b
Après :     ['eat', 'weekend', 'waitress', 'food', 'disturb', 'part', 'visit', 'leave', 'chef', 'come']

Avant :     Wow did I eat at the same place? We went there based on the great yelp ratings, but were disappointe
Après :     ['eat', 'place', 'base_yelp', 'rating', 'disappoint', 'meh', 'cook', 'waitress', 'fry', 'hashbrown']

Avant :     We arrived to Nook excited to try this cute little place out. Arrived one hour before closing. We pl
Après :     ['arrive', 'nook', 'try', 'place', 'arrive', 'hour', 'closing', 'place', 'order', 'waitress']

Avant :     i ordered the shredded pork banh mi and was left extremely disappointed. there's barely any meat on 
Après :     ['order', 'shred', 'pork', 'banh', 'mi', 'leave', 'meat', 'sandwich', 'pork', 'rubbery']

Avant :     Extremely disappointed with this location was there this morning with my husband I was looking forwa
Après :     ['location', 'morning', 'husband', 'look', 'bagel', 'morning', 'cheese', 'cover', 'look', 'version']

Avant :     The food is good, but for the price it's a rip off - no doubt! If you get a pick 2 combo, the sandwi
Après :     ['food', 'price', 'rip', 'pick', 'sandwich', 'bread', 'meat', 'review', 'say', 'look']

Avant :     Went here (for the deli / food, not the market) due to the high reviews on yelp with a semi-highi ex
Après :     ['deli', 'food', 'market', 'review_yelp', 'expectation', 'order', 'ravioli', 'ravioli', 'portion', 'taste']

Avant :     Oh my goodness you are a coffee and donut shop! Why am I waiting ten minutes in the drive-thru.  Hor
Après :     ['goodness', 'coffee', 'donut', 'shop', 'wait_minute', 'drive', 'service', 'need', 'franchise', 'option']

Avant :     Every single day I go hoping that the food won't taste stale...everyday I'm disappointed. Horrible f
Après :     ['day', 'hope', 'food', 'taste', 'food', 'dunkin', 'dount', 'taste', 'food', 'hand']

Avant :     Had a very negative experience.  It was 10am on a Thursday and they were training someone so it took
Après :     ['experience', 'training', 'take', 'bit', 'take', 'order', 'order', 'donut', 'vanilla', 'come']

Avant :     If I could give lower rating I would. This is the worst dunkin ever absolutely awful mean old lady w
Après :     ['give', 'rating', 'dunkin', 'lady', 'work', 'evening', 'luck', 'order']

Avant :     When our order was called out we couldn't understand the person yelling. That had little to do with 
Après :     ['order', 'call', 'understand', 'person', 'yell', 'accent', 'mumble', 'understand', 'give', 'look']

Avant :     I am a REGULAR Dunkin go-er and this location is absolutely awful. I repeated my order 4 times, the 
Après :     ['location', 'repeat', 'order', 'time', 'guy', 'take', 'order', 'mumbling', 'keep', 'say']

Avant :     Ehhhhh! Why are they still in business?! They're over priced and everything that's edible is terribl
Après :     ['ehhhhh', 'business', 'price', 'terrible']

Avant :     Ordered a chicken salad. Received lettuce one one side and crumbled chicken on the other. Without dr
Après :     ['order', 'chicken', 'salad', 'receive', 'lettuce', 'side', 'crumble', 'chicken', 'dress']

Avant :     I have been here twice and have never received service. Both times sat at the bar and both times was
Après :     ['receive', 'service', 'time', 'sit', 'time', 'ignore', 'school', 'bartender', 'time', 'think']

Avant :     i heard it was bought by puck from the real world and that's how it got ruined. then he sold it. so,
Après :     ['hear', 'buy', 'puck', 'world', 'ruin', 'sell', 'try', 'show']

Avant :     Told the server it was one of our guests birthday and he responded "so what?"  Paid $16 for 3 small 
Après :     ['tell', 'server', 'guest', 'birthday', 'respond', 'pay', 'piece_chicken', 'overprice', 'bar', 'city']

Avant :     Well I dropped in here today first a lunch and the of fortunately it just didn't live up to the hype
Après :     ['drop', 'today', 'lunch', 'live_hype', 'drink', 'price', 'food', 'overprice', 'order', 'lunch']

Avant :     Food is average..no.. Below..changed my mind.
Really.. I did not find anything decent and good to di
Après :     ['food', 'average', 'change', 'mind', 'find', 'digest', 'subway']

Avant :     Weird tasting food, and a waitress who acted like she really didn't want to be there. Sassafras was 
Après :     ['taste', 'food', 'waitress', 'act', 'want', 'opinion']

Avant :     Stopped here because the reviews looked good. The Pad Thai my wife ordered had a sour, rotten smell.
Après :     ['stop', 'review', 'look', 'pad', 'wife', 'order', 'smell', 'choose', 'meal', 'pad']

Avant :     The quality of the product is good. I'm giving 2 stars because the customer service is so crappy. I'
Après :     ['quality', 'product', 'give_star', 'customer_service', 'crappy', 'occasion', 'year', 'time', 'staff_rude', 'talk']

Avant :     Once again customer service or should I say bad customer service strikes again.  What is it with emp
Après :     ['customer_service', 'say', 'customer_service', 'strike', 'employee', 'look', 'stare', 'speak', 'walk', 'place']

Avant :     I visited this location on several occasions this last week and was thoroughly disappointed on every
Après :     ['visit', 'location', 'occasion', 'week', 'disappoint', 'visit', 'employee', 'joke', 'help', 'customer']

Avant :     This is the worst Starbucks location I have ever been at! It's the closest Starbucks to my house so 
Après :     ['starbuck', 'location', 'house', 'time', 'order', 'order', 'coffee', 'cream', 'side', 'mess']

Avant :     No wonder my Venti Mocha no whip tasted so weird. It was a Pike Place with Cream and Splenda- Yuck! 
Après :     ['wonder', 'taste', 'place', 'cream', 'check', 'try', 'hand', 'water', 'order', 'hand']

Avant :     Updating my rating. Totally disgusted that it's not even mid October and Starbucks has sold out for 
Après :     ['update', 'rating', 'disgust', 'starbuck', 'sell', 'rest', 'season', 'pumpkin', 'scone', 'seller']

Avant :     Here is a rule...If you give your bar an Irish name you must serve Guinness in an Imperial Pint Glas
Après :     ['rule', 'give', 'bar', 'name', 'serve', 'pint', 'glass', 'wife', 'fan', 'search']

Avant :     The only reason this place gets two stars and not one is because they have GREAT cocktails and their
Après :     ['reason', 'place', 'star', 'cocktail', 'cheese', 'boyfriend', 'couple_week', 'order', 'chicken', 'thing']

Avant :     GF PEOPLE BEWARE!! Food was pretty tasty, BUT we went here because they accommodate gluten free cook
Après :     ['gf', 'people', 'beware', 'food', 'accommodate', 'gluten', 'cooking', 'fail', 'sister', 'order']

Avant :     Decided to give Usual Suspects a try for an early dinner with friends. We were the only people in th
Après :     ['decide', 'give', 'suspect', 'try', 'dinner', 'friend', 'people', 'place', 'refuse', 'seat']

Avant :     This place isn't what it used to be.  We were out to dinner a little later than usual, so our favori
Après :     ['place', 'use', 'dinner', 'place', 'close', 'give', 'try', 'use', 'year', 'leave']

Avant :     This place is terrible. I ordered delivery through Grub Hub. The grilled fish tacos were cold and so
Après :     ['place', 'order', 'delivery', 'grub_hub', 'grill', 'fish', 'enfrijolado', 'salad', 'mediocre', 'wilt']

Avant :     I would give this 0 stars if possible.  Not only did the food arrived later than expected after orde
Après :     ['give_star', 'food', 'arrive', 'expect', 'order', 'order', 'description', 'salad', 'include', 'ground_beef']

Avant :     Just ordered our food via Grub Hub and I would never order here again !! The guacamole is brown and 
Après :     ['order', 'food', 'grub_hub', 'order', 'guacamole', 'brown', 'burritos', 'deliver', 'waiting', 'minute']

Avant :     Shrimp cocktail, ceviche, shrimp and octopus over salad....three dishes all share the same unfortuna
Après :     ['salad', 'dish', 'share', 'characteristic', 'lack_flavor', 'sense', 'freshness', 'seafood', 'bother', 'place']

Avant :     Do yourself a favor and do not eat here! The service is terrible, and the employees just don't care.
Après :     ['favor', 'eat', 'service', 'employee', 'care', 'order', 'chicken', 'sandwich', 'tell', 'take']

Avant :     Foods good but don't order online for delivery. They've cancelled our orders numerous of times witho
Après :     ['food', 'order', 'delivery', 'cancel_order', 'time', 'reason']

Avant :     Wow, this place does NOT have its shit together.  I walked in and asked the host if they did take ou
Après :     ['place', 'shit', 'walk', 'ask', 'host', 'take', 'say', 'direct', 'bar', 'stand']

Avant :     First let me preface with its the typical Come to america if you are Chinese take out cookie cutter 
Après :     ['let', 'come', 'take', 'cookie', 'cutter', 'business', 'place', 'food', 'cook', 'order']

Avant :     So very disappointed- booked this through Open Table at 9am - friends came up from Chattanooga- got 
Après :     ['book', 'table', 'friend', 'come', 'chattanooga', 'call', 'say', 'reservation', 'good']

Avant :     Don't know how their food is- been trying to reach them for several days now to place a potential pi
Après :     ['know', 'food', 'try', 'reach', 'day', 'place', 'pick', 'order', 'coworker', 'answer_phone']

Avant :     The burger was thin and bun was dissolving under some heavy tomato sauce and it had melted cheese?..
Après :     ['bun', 'dissolve', 'tomato_sauce', 'melt_cheese', 'lamb', 'rib', 'crispy', 'sauce', 'offer', 'humus']

Avant :     To be completely honest, probably the worst pho I've ever had. I ordered for pick up 20 mins prior t
Après :     ['pho', 'order', 'pick', 'min', 'arrive', 'food', 'tell', 'gentleman', 'order', 'walk']

Avant :     Do not let the name fool you! This is the worst pho I have ever had in my life. I did not try the Ch
Après :     ['let', 'name', 'fool', 'pho', 'life', 'try', 'food', 'comment', 'place', 'kind']

Avant :     The Hollister of fast casual restaurants.  Plan on which burger joint you're going to afterwards bec
Après :     ['hollister', 'restaurant', 'plan', 'joint', 'leave', 'assuming', 'juice', 'oz', 'employee', 'look']

Avant :     Portions were tiny, the food did not seem fresh, and there was virtually no flavor. Healthy doesn't 
Après :     ['portion', 'food', 'seem']

Avant :     I tried eating a cardboard box once when I was 5 and Freshii brought me back to those days! Imagine 
Après :     ['try', 'eat', 'cardboard', 'box', 'freshii', 'bring', 'day', 'imagine', 'eat', 'cardboard']

Avant :     I was looking forward to a new lunch spot but I was not impressed. The lettuce was old, brown and wi
Après :     ['look', 'lunch', 'spot', 'impress', 'lettuce', 'brown', 'wilt', 'price']

Avant :     Went here for breakfast with my boyfriend and the food was definitely not fresh and the service was 
Après :     ['breakfast', 'boyfriend', 'food', 'service', 'place', 'time', 'food', 'bland', 'salt', 'blast']

Avant :     Don't waste your time or money! They can never get an order right, they are slow and most of the kid
Après :     ['waste_time', 'money', 'order', 'kid', 'work', 'rude']

Avant :     Very slow service for a very simple order. Food quality was average compared to other KFCs.
Après :     ['service', 'order', 'food', 'quality', 'average', 'compare', 'kfc']

Avant :     Ordered 4 pot pies she said they have them made. Then manager takes one and says I have to wait 20 m
Après :     ['order', 'pot_pie', 'say', 'make', 'manager', 'take', 'say', 'wait_minute', 'order', 'time']

Avant :     I wish I could give this Indy location a Minus-5 stars. This is my second visit here to find out the
Après :     ['wish', 'give', 'location', 'star', 'visit', 'find', 'item']

Avant :     This is gross. Don't drink the tea. When I asked for it was told they did not have any because they 
Après :     ['drink', 'tea', 'ask', 'tell', 'tea', 'canister', 'think', 'sale', 'give', 'ranch']

Avant :     Horrible I gave it a one-star because I couldn't find a zero star this place is the absolute pit of 
Après :     ['give_star', 'find', 'pit', 'restaurant', 'drive', 'pull', 'say', 'drive', 'work', 'come']

Avant :     I'd give zero stars if I could. Employee in drive thru couldn't seem to get the simplest order right
Après :     ['give_star', 'employee', 'drive', 'seem', 'order', 'right', 'give', 'card', 'payment', 'reappear']

Avant :     Great food!!! Horrible service!!! We drove all the way home to find out that our burrito we ordered 
Après :     ['food', 'service', 'drive', 'home', 'find', 'order', 'bag', 'drive', 'burrito', 'bag']

Avant :     The good is greasy and bland. The beans taste funny and the cheese is American crap cheese. The burr
Après :     ['bland', 'bean', 'taste', 'crap', 'cheese', 'fall', 'grease', 'quality', 'food', 'street']

Avant :     Ehh, its definitely good when you FINALLY get your order. Last time we came they gave us fries inste
Après :     ['order', 'time', 'come', 'give', 'fry_rice', 'top', 'take', 'minute', 'today', 'sit']

Avant :     Ordered take out. Agedashi tofu, average and salmon and tuna sashimi.  Salmon was below average (not
Après :     ['order', 'take', 'average', 'tuna', 'place', 'area']

Avant :     The salsa given at the beginning tastes store bought and like the inside of a refrigerator. Also the
Après :     ['salsa', 'give', 'begin', 'taste', 'store_buy', 'refrigerator', 'chip', 'basket', 'taste', 'coffee']

Avant :     The drive thru order taker had an attitude the whole time. She was very snappy. She got our order wr
Après :     ['drive', 'order', 'taker', 'attitude', 'time', 'order', 'bag', 'miss', 'sandwich', 'find']

Avant :     I like Papa John's pizza. I had to get that out of the way so you would know I'm not rating it this 
Après :     ['papa', 'way', 'know', 'rate', 'quality', 'food', 'service', 'place', 'describe', 'word']

Avant :     When dining out, my girlfriend and I enjoy a mix of great food tastes, a well-managed beer menu, eng
Après :     ['dining', 'girlfriend', 'enjoy', 'mix', 'food', 'taste', 'manage', 'beer', 'menu', 'engage']

Avant :     Food was sub par. Bland and boring. When we were going to send an item back  the waitress was argume
Après :     ['food', 'sub', 'bland', 'boring', 'send', 'item', 'argumentative', 'say', 'suppose', 'taste']

Avant :     I went here for restaurant week. The food was extremely salty and the drinks were really expensive. 
Après :     ['restaurant', 'week', 'food', 'drink', 'restaurant', 'choose', 'place', 'experience', 'suppose', 'way']

Avant :     Horrible experience! It all started with our party being 5 minutes late, in which the hostess then i
Après :     ['experience', 'start', 'party', 'minute', 'inform', 'table', 'give', 'bar', 'tell', 'beer']

Avant :     SImply not impressed.  

I got a burger with blue cheese and carmelized onions. 

The meat was high 
Après :     ['burger', 'cheese', 'carmelize', 'onion', 'meat', 'quality', 'bread', 'meat', 'cheese', 'ratio']

Avant :     Food looked good.  Nice decor.  Hip crowd, and crowded on a Tuesday - portends good things.  I just 
Après :     ['food', 'look', 'decor', 'hip', 'crowd', 'crowd', 'portend', 'thing', 'think', 'room']

Avant :     Walked in, excited to try the burger and tots. Small place but, 3 tables open. We sat down and were 
Après :     ['walk', 'try', 'burger', 'tot', 'place', 'table', 'sit', 'ignore', 'mgr', 'come']

Avant :     Such a disappointment. I was expecting this to be one of the best burgers I've ever had (as I've hea
Après :     ['disappointment', 'expect', 'burger', 'hear', 'fry', 'underwhelme', 'order', 'mushroom', 'fry', 'egg']

Avant :     Walked in for the first time after a drink next door at Tinto (which was very nice and the bartender
Après :     ['walk', 'time', 'drink', 'door', 'bartender', 'squeeze', 'round', 'order', 'rock', 'choice']

Avant :     Had high expectations since it's always tough to snag a table. Unfortunately today's brunch was noth
Après :     ['expectation', 'snag', 'table', 'today', 'brunch', 'chicken', 'waffle', 'husband', 'order', 'blow']

Avant :     I have to say, I don't get the hype. After waiting a long time (but shorter than expected -- it seem
Après :     ['say', 'hype', 'wait', 'time', 'expect', 'seem', 'lot', 'people', 'list', 'end']

Avant :     We had eaten hear before and loved it.  This trip was totally different.  Although the restaurant ha
Après :     ['eat', 'hear', 'love', 'trip', 'restaurant', 'table', 'fill', 'arrive', 'hostess', 'seat']

Avant :     Ordered village burger and it was ok at best. Didn't blow my mind for a highly rated burger. Drinks 
Après :     ['order', 'village', 'burger', 'mind', 'rate', 'burger', 'drink', 'price', 'center_city', 'shake_shack']

Avant :     After reading great reviews about this place I finally tried it with a few friends. I ordered the ve
Après :     ['read_review', 'place', 'try', 'friend', 'order', 'veggie', 'review', 'say', 'veggie', 'burger']

Avant :     Had to climb over other patrons to get to seat.  "Cozy" = shoulder to shoulder dining with strangers
Après :     ['patron', 'seat', 'shoulder', 'shoulder', 'dining', 'stranger', 'pub', 'burger', 'person', 'burger']

Avant :     I have been coming here since it opened.  So why the downgrade?   A bad experience last night - me a
Après :     ['come', 'open', 'experience', 'night', 'dining', 'partner', 'service', 'sit_bar', 'bartender', 'water']

Avant :     Waaay overpriced for a greasy burger.  The pickles are a nice idea, but $7-$12 for an appetizer size
Après :     ['overprice', 'burger', 'pickle', 'idea', 'appetizer', 'size', 'plate', 'vegetable', 'vinegar']

Avant :     Although people say they have good burgers, I wouldn't know,  since I couldn't get in to try them wi
Après :     ['people', 'say', 'burger', 'know', 'try', 'wait', 'hour_half', 'make_reservation', 'street', 'shake_shack']

Avant :     Love Garces.  Love the burger.  Love the drink selections, both spirits and beer.


Bad:
We were on 
Après :     ['love', 'garce', 'love', 'drink', 'selection', 'spirit', 'beer', 'time', 'reservation', 'hold']

Avant :     The restaurant opens at 5 p.m. on Sunday. I arrived at 5:08 and was told I was the first name on the
Après :     ['restaurant', 'open', 'arrive', 'tell', 'name', 'list', 'bar', 'tea', 'shoot', 'brandy']

Avant :     Service is terrible. Showed up at 4:00 on a Saturday 2 people and a toddler, gave us snotty comments
Après :     ['service_terrible', 'show', 'people', 'toddler', 'give', 'comment', 'give', 'highchair', 'say', 'wait']

Avant :     If you're going for the burger and duck fat french fries, know that they're better at Supper. But by
Après :     ['burger', 'fry', 'know', 'supper', 'mean', 'pick', 'place', 'mood', 'feel_rush', 'scarf']

Avant :     Fish eggs is crab bisque= fail. Duck fries are just fries with parsley. We ordered 3 sandwiches none
Après :     ['fish', 'egg', 'crab', 'bisque', 'fail', 'duck', 'fry', 'fry', 'order', 'sandwich']

Avant :     Went on a Wednesday night 7:30-11:00m and am sorry to say, it was a total disappoint. The girl at th
Après :     ['night', 'say', 'disappoint', 'girl', 'door', 'bar', 'staff', 'attitude', 'ask', 'server']

Avant :     I wanted to like this place. 
It was nice inside- an ok menu. However the atmosphere was lacking-per
Après :     ['want', 'place', 'menu', 'atmosphere', 'lack', 'wannabe', 'end', 'walk', 'patron', 'refuse']

Avant :     The food is always on point but the service really needs some work. 

the hostesses just throw a tim
Après :     ['food', 'point', 'service', 'need', 'work', 'hostess', 'throw', 'time', 'wait', 'table']

Avant :     I don't get why this place has over an hour wait on a Wednesday night. I just don't. I ordered the v
Après :     ['hour', 'wait', 'night', 'order', 'blob', 'come', 'caramelize', 'onion', 'cheddar', 'taste']

Avant :     Went there for lunch. Daughter was craving a burger, so we complied. I had high hopes for this place
Après :     ['lunch', 'daughter', 'craving', 'burger', 'comply', 'hope', 'place', 'husband', 'beer', 'drink']

Avant :     One star for the for two reasons: whisky prices and a waste of good foie gras.
From the low end whis
Après :     ['star', 'reason', 'price', 'waste', 'foie', 'end', 'whiskey', 'end', 'scotch', 'overprice']

Avant :     I went here because of the great reviews, but the service was poor the day I came and the food wasn'
Après :     ['review', 'service', 'day', 'come', 'food', 'veggie', 'burger', 'tater_tot', 'see', 'duck']

Avant :     Not sure how this is classified as deep dish. The sauce tastes canned and lacks any of that fresh to
Après :     ['classify', 'dish', 'sauce', 'taste', 'lack', 'tomato', 'taste', 'hue', 'flavor', 'seasoning']

Avant :     This should be a 2.5 rating. Here is the good, the bad, the ugly and the LDF (low, down foo)

The Go
Après :     ['rate', 'foo', 'crust', 'cheese', 'sauce', 'burgundy', 'color', 'ton', 'ton', 'oregano']

Avant :     If your philosoply is the more crap on a pizza the better, then you'll like Black Thorn pizza. And I
Après :     ['crap', 'pizza', 'thorn', 'pizza', 'style', 'pizza', 'stuff', 'balance', 'finesse', 'way']

Avant :     Seriously not good. The cheese garlic sticks were layered in garlic, an actual disgusting amount of 
Après :     ['cheese', 'garlic', 'stick', 'layer', 'amount', 'garlic', 'crust', 'pizza', 'sauce', 'tomato_sauce']

Avant :     not sure if i was there on a /really/ bad night, but from my experience, this place doesn't hold a c
Après :     ['night', 'experience', 'place', 'hold', 'candle', 'crust', 'component', 'dish', 'pizza', 'lack_flavor']

Avant :     From Chicago and read the great reviews about this place, tastes like it was ordered from Dominos. I
Après :     ['read_review', 'place', 'taste', 'order', 'dominos', 'eat', 'alot', 'deny', 'leftover', 'salad']

Avant :     I ordered pizza
Pizza was bland 
Sausage topping was bland
$17 for 2 toppings on a large pizza
75 ce
Après :     ['order', 'pizza', 'pizza', 'bland', 'sausage', 'top', 'topping', 'pizza', 'cent', 'cheese']

Avant :     Ew. I don't know what upsets me more, the borderline gross food or how much I had to pay for it. We 
Après :     ['know', 'upset', 'borderline', 'food', 'pay', 'wait', 'place', 'serve', 'burger', 'quality']

Avant :     Got the special--mole chicken.  Terrible. I can't say enough bad things about it. What were they thi
Après :     ['mole', 'chicken', 'terrible', 'say', 'thing', 'think']

Avant :     Went with great expectations based on the word of a friend. Ten dollar cab ride there and back from 
Après :     ['expectation', 'base', 'word', 'friend', 'dollar', 'cab', 'ride', 'hotel', 'town', 'say']

Avant :     Let's start with the good news.  The service was attentive and very good.  The truffle fries were de
Après :     ['let_start', 'news', 'service', 'attentive', 'truffle_fry', 'end', 'news', 'news', 'disappoint', 'burger']

Avant :     In the day - when they first opened, it was great.  The quality of food and service have faltered gr
Après :     ['day', 'open', 'quality', 'food', 'service', 'falter', 'month', 'bar', 'drink', 'spot']

Avant :     Burger up does not live up to the hype. I have been twice now (hoping it would be better the second 
Après :     ['live_hype', 'hope', 'time', 'night', 'mushroom', 'burger', 'sound', 'order', 'medium', 'come']

Avant :     I just don't understand! I've been to Burger Up about 4 times in the last 2-3 years and every time w
Après :     ['understand', 'year', 'time', 'walk', 'wonder', 'come', 'time', 'taste_bud', 'evolve', 'burger']

Avant :     Cool atmosphere, nice waitstaff and the burgers look good on the menu, but everything was disappoint
Après :     ['atmosphere', 'burger', 'look', 'menu', 'burger', 'burger', 'overcook', 'order', 'medium', 'come']

Avant :     Unfortunately not impressed. Every time u order a burger medium, they bring it out well done. There'
Après :     ['impress', 'time', 'order', 'bring', 'flavor', 'burger', 'try', 'menu', 'service', 'atmosphere']

Avant :     We thought we had a nice meal at this restaurant yesterday, but six hours later I was suffering from
Après :     ['think', 'meal', 'restaurant', 'yesterday', 'hour', 'suffer', 'food_poison', 'burger', 'think', 'lettuce']

Avant :     I love a good foodie burger spot that makes delicious burgers with some extra attention to detail.  
Après :     ['love', 'make', 'burger', 'attention_detail', 'suggest', 'staff', 'suggest', 'food', 'burger', 'make']

Avant :     The staff here is SO RUDE!!!!! 
Lady had asked me "what you want?" She wasn't even looking at me so 
Après :     ['ask', 'want', 'look', 'assume', 'talking', 'look', 'say', 'thank', 'smile', 'time']

Avant :     This is hands down the WORST Popeyes I've EVER been to. The lady at the register was loud and ghetto
Après :     ['hand', 'popeye', 'lady', 'register', 'ghetto', 'spend', 'min', 'tryin', 'refund', 'item']

Avant :     Literally the worst excuse for sushi I've ever eaten in my life.

First, the owners are not Japanese
Après :     ['eat', 'life', 'owner', 'japanese', 'know', 'food', 'call', 'restaurant', 'take', 'cooking']

Avant :     So disappointed! This used to be my go to place when ordering sushi but it seems I am going to have 
Après :     ['use', 'place', 'order', 'seem', 'find', 'place', 'mayo', 'money', 'deal', 'breaker']

Avant :     Came in one night to pick up dinner. I got the gnocchi with meatball. The gnocchi were thick and tou
Après :     ['come', 'night', 'pick', 'dinner', 'gnocchi', 'people', 'gnocchi', 'potato', 'tender', 'see']

Avant :     Ive eaten there twice and both times it was terrible. Steak was salty, fish dry, my salad was frozen
Après :     ['eat', 'time', 'steak', 'fish', 'salad', 'service', 'place', 'review']

Avant :     Below average for the price the quality of the food was terrible at a place like this you expect qua
Après :     ['price', 'quality', 'food', 'place', 'expect', 'quality', 'food', 'ingredient', 'receive', 'pay']

Avant :     My wife got violently ill after eating there last night. The food was tasty but when we got home she
Après :     ['wife', 'eat', 'night', 'food', 'tasty', 'home', 'year', 'marriage', 'food', 'thing']

Avant :     Well, this goes as some of the worst food I have ever had. How do you make me wait 45 minutes for a 
Après :     ['food', 'make', 'wait_minute', 'steak', 'past', 'take', 'waiter', 'tip', 'note', 'use']

Avant :     Not a fan. Wasted a great romamtic dimner here. Horrible wine list. Noisy and hot. Waiter forgot to 
Après :     ['fan', 'waste', 'dimner', 'wine_list', 'waiter', 'forgot', 'bring', 'bread', 'gorgonzola', 'sauce']

Avant :     Agree with past post, used to be great service, not anymore.

Last week we went there to have lunch 
Après :     ['agree', 'post', 'use', 'service', 'week', 'lunch', 'enjoy', 'play', 'palace', 'meal']

Avant :     Pretty slow service and the waitresses aren't very kind. I guess I was expecting something different
Après :     ['service', 'waitress', 'guess', 'expect', 'diner', 'rating', 'understand', 'tourist', 'area', 'service']

Avant :     Average food.  I can cook better breakfast @ home for cheaper and I am an average cook! I only go he
Après :     ['food', 'cook', 'breakfast', 'home', 'cook', 'make', 'breakfast', 'service', 'waitress', 'set']

Avant :     I had the huevos rancheros. The only thing they actually cooked on this dish were the eggs. They mic
Après :     ['ranchero', 'thing', 'cook', 'dish', 'egg', 'microwave', 'tortilla', 'make', 'chewy', 'take']

Avant :     Horrible CUSTOMER SERVICE! After hearing all the great reviews of this place I was excited to eat he
Après :     ['customer_service', 'hear', 'review', 'place', 'eat', 'arrival', 'ask', 'sit', 'bay', 'view']

Avant :     Not sure what all the hype is about. We came in at 8 am got seated right away. My husband and I orde
Après :     ['hype', 'come', 'seat', 'husband', 'order', 'breakfast', 'egg_bacon', 'sausage', 'fry', 'potato']

Avant :     Very disappointed in service. We stood by the front door for a few minutes and finally a waitress as
Après :     ['service', 'stand', 'door', 'minute', 'waitress', 'ask', 'want', 'seat', 'want', 'stand']

Avant :     You are going here purely for the view enroute.  Driving from St.Petersburg is a nice way to kick of
Après :     ['view', 'enroute', 'drive', 'way', 'day', 'fun', 'sun', 'visit', 'food', 'service']

Avant :     I was very disappointed with the breakfast food. I ordered delivery through UberEats and the hash br
Après :     ['breakfast', 'food', 'order', 'delivery', 'ubereat', 'hash', 'casserole', 'cheese', 'top', 'taste']

Avant :     So P.O.'d...they were my 'go to' delivery place. Loved the traditional w/ half pepperoni//half artic
Après :     ['delivery', 'place', 'love', 'pepperoni', 'half', 'artichoke', 'tonight', 'pie', 'rock', 'think']

Avant :     I walked in a half-hour before they were supposed to close and they RUDELY shooed me out. ... You're
Après :     ['walk', 'hour', 'suppose', 'shoo', 'pizza', 'place', 'take', 'minute', 'break', 'service']

Avant :     Ate lunch here today with my friend. Our lunch break was only a little under an hour. After waiting 
Après :     ['eat', 'lunch_today', 'friend', 'lunch_break', 'hour', 'wait', 'slice', 'min', 'happen', 'order']

Avant :     We went to this place a couple of times already, then one day we had a $25 off gift thing from restu
Après :     ['place', 'couple', 'time', 'day', 'gift', 'thing', 'resturant', 'com', 'boy', 'mistake']

Avant :     Regular that goes here for lunch 3 days a week, ordered sandwich and asked for substitute  of salad 
Après :     ['lunch', 'day', 'week', 'order', 'sandwich', 'ask', 'substitute', 'salad', 'fry', 'serve']

Avant :     Ordered lunch from here through grubhub, and extremely disappointed. I ordered the zinger salad, and
Après :     ['order', 'lunch', 'grubhub', 'order', 'zinger', 'salad', 'fry', 'food', 'take', 'hour']

Avant :     After a somewhat painful day of cross-country bus travel, I decided to order in for some pizza. Or s
Après :     ['day', 'cross', 'country', 'bus', 'travel', 'decide', 'order', 'pizza', 'think', 'nice']

Avant :     I have no idea how the food is.  The restaurant had a few customers, and the waitress promptly took 
Après :     ['idea', 'food', 'restaurant', 'customer', 'waitress', 'take', 'order', 'disappear', 'start', 'minute']

Avant :     I come here every weekend to relieve stress and do some line dancing. This place a has great atmosph
Après :     ['come', 'weekend', 'relieve', 'stress', 'line', 'dancing', 'place', 'atmosphere', 'welcome', 'age']

Avant :     Came to CBQ for drinks and an appetizer before enjoying a movie at our favorite theater. First of al
Après :     ['come', 'drink', 'appetizer', 'enjoy', 'movie', 'theater', 'think', 'place', 'close', 'door']

Avant :     I did not like this new restaurant. My brisket was served cold. And the other half  of my meat was b
Après :     ['restaurant', 'brisket', 'serve', 'meat', 'brisket', 'taste', 'marinate', 'taste', 'cheese', 'taste']

Avant :     We haven't been here for a while, and imagine our surprise when we find out they no longer serve bur
Après :     ['imagine', 'surprise', 'find', 'serve', 'burn', 'end', 'fry', 'okra', 'favorite', 'stop']

Avant :     I'm there every Friday and the dj is spectacular and so is the dancing ! Just wish they would let us
Après :     ['dj', 'dancing', 'wish', 'let', 'dance', 'stay']

Avant :     If i could give it a - i would. Waited 20 minutes for 2 beers, 1 cocktail, that had to be sent back,
Après :     ['give', 'wait_minute', 'send', 'water', 'take', 'minute', 'food', 'ask', 'time', 'food']

Avant :     The brisket sandwich was awful! There was three times as much fat then the meat! I understand marbli
Après :     ['brisket', 'sandwich', 'time', 'meat', 'understand', 'marble', 'marble', 'way', 'overload', 'soda']

Avant :     Really bad BBQ.... All of the meat is extremely fatty for the cut. The brisket and the pork were awf
Après :     ['bbq', 'meat', 'cut', 'brisket', 'pork', 'side', 'bland', 'service', 'waste_time', 'money']

Avant :     So I know this place just opened, but I was thoroughly unimpressed. We waited 20 min for a table and
Après :     ['know', 'place', 'open', 'wait_min', 'table', 'crowd', 'wait_min', 'food', 'come', 'burn']

Avant :     The absolute worst. 
The menu online is way different from what you get there.
My wife had the brisk
Après :     ['menu', 'way', 'wife', 'brisket', 'sandwich', 'slice', 'meat', 'take', 'bill', 'side']

Avant :     Poor choice for dinner... We had a very long wait for food even though the place was not busy at all
Après :     ['choice', 'dinner', 'wait', 'food', 'place', 'service', 'food', 'leave', 'lot_desire', 'legend']

Avant :     BBQ was terrible. Had lunch today. Pulled pork was tough and dry. Ribs, dry as well . For an empty r
Après :     ['lunch_today', 'pull_pork', 'rib', 'restaurant', 'think', 'product', 'wife', 'eat', 'rib', 'stay']

Avant :     It's a nice place. Parking is a pain. Drinks were good and the food was just ok. We had our work hol
Après :     ['place', 'park', 'pain', 'drink', 'food', 'party', 'make', 'party', 'start', 'bowling']

Avant :     The food consists of small appetizer portions and really didn't impress me that much.  Don't come he
Après :     ['food', 'consist', 'appetizer', 'portion', 'impress', 'come', 'expect', 'eat', 'meal', 'snack']

Avant :     Service is unbelievably slow. Thirty minutes for an order of beers, twenty minutes for an order of f
Après :     ['service_slow', 'minute', 'order', 'beer', 'minute', 'order', 'fry', 'food', 'minute', 'waitress']

Avant :     I waited over 30 min for food that came out wrong and was met with indifference. The bartender was n
Après :     ['wait', 'food', 'come', 'meet', 'indifference', 'bartender', 'experience', 'management', 'absent', 'come']

Avant :     Great pork belly sliders... Terrible service. All available seating had dirty tables. Once I asked w
Après :     ['pork_belly', 'slider', 'service', 'seat', 'table', 'ask', 'sit', 'direct', 'table', 'minute']

Avant :     I ordered general tso chicken. Nothing but breaking. My niece ordered $78 in food to be delivered. T
Après :     ['order', 'break', 'niece', 'order', 'food', 'deliver', 'forgot', 'egg_roll', 'call_complain', 'bring']

Avant :     STOP!  This is not the same owner as it used to be. 

The old place was owned by Mr Tang and his fam
Après :     ['stop', 'owner', 'use', 'place', 'food', 'delicious', 'color', 'rice', 'flavor', 'rib']

Avant :     This is a good spot for some really good food.  Down fall, the service is horrible. I keep giving th
Après :     ['spot', 'food', 'fall', 'service', 'keep', 'give', 'place', 'chance', 'know', 'try']

Avant :     My rating is based on overall experience. Our server was very polite however was outnumbered by tabl
Après :     ['rating', 'base', 'experience', 'server', 'polite', 'outnumber', 'table', 'service', 'decide', 'cesar']

Avant :     Downgrading my previous rating, I've visited Double Greeting three times since I wrote that most rec
Après :     ['downgrade', 'rating', 'visit', 'greet', 'time', 'write_review', 'food', 'underwhelme', 'time', 'place']

Avant :     Went got a tiny expensive donut that I didn't love. The coffee was subpar as well. The place was rea
Après :     ['love', 'coffee', 'place', 'visit']

Avant :     We stopped  in after dinner and the staff were very unwelcoming. We arrived at 8:30 and the place wa
Après :     ['stop', 'dinner', 'staff', 'unwelcoming', 'arrive', 'place', 'shut', 'desert', 'put', 'closing']

Avant :     Good service, nice clean place, and convenient parking. That's it on the good points. The food sound
Après :     ['service', 'place', 'parking', 'point', 'food', 'sound', 'look', 'taste', 'chili', 'acidity']

Avant :     The first time I came here, it was interesting because it was new to me; the second visit not so muc
Après :     ['time', 'come', 'visit', 'spice', 'surprise', 'company', 'problem', 'lot', 'meat', 'order']

Avant :     This place is on a decline and fast! Cold soup 3x's! And everything else wasn't nearly as good as wh
Après :     ['place', 'decline', 'soup', 'open', 'shame']

Avant :     I had a big problem with my DC finishing her food before mine arrived, when I mentioned it to the ca
Après :     ['problem', 'finish', 'food', 'arrive', 'mention', 'cashier', 'tell', 'salad', 'come', 'part']

Avant :     Wow. Just got the Asian Chopped Chicken Salad: a big bowl of Chicken, lettuce, Napa cabbage, carrots
Après :     ['chop', 'chicken', 'salad', 'bowl', 'chicken', 'carrot', 'tomato', 'wonton', 'sesame', 'seed']

Avant :     We went at lunch time and ate in. The food was mediocre at best. I got the honey glazed chicken and 
Après :     ['lunch', 'time', 'eat', 'food', 'honey', 'glaze', 'chicken', 'fry_rice', 'rice', 'chicken']

Avant :     Found myself going here often to get salads and was pretty satisfied. However, last time I went some
Après :     ['find', 'salad', 'time', 'salad', 'order', 'bowl', 'salad', 'home', 'bowl', 'kind']

Avant :     We went here one Sunday morning for the breakfast buffet. They weren't busy, we were seated fast. Th
Après :     ['morning', 'breakfast', 'buffet', 'seat', 'minute', 'waitress', 'take', 'drink', 'order', 'proceed']

Avant :     If I could give this place zero stars I would. 

Ok, that said, my Nashville friend was sad he ever 
Après :     ['give', 'place', 'star', 'say', 'take', 'arrive', 'breakfast', 'buffet', 'exhaust', 'option']

Avant :     The food was disgusting. I have never been to a restaurant where every thing I ordered was horrible.
Après :     ['food', 'restaurant', 'thing', 'order', 'mash_potato', 'instant', 'chicken', 'taste', 'cheese', 'dry']

Avant :     We stopped on our way through Indianapolis.  My husband ordered the ribeye.  I ordered fried shrimp.
Après :     ['stop', 'way', 'husband', 'order', 'ribeye', 'order', 'shrimp', 'waitress', 'make', 'salad']

Avant :     Waitress needed some training. Place seemed dirty, the condiment containers were greasy.  I would no
Après :     ['waitress', 'need', 'training', 'place', 'seem', 'condiment', 'container', 'greasy', 'recommend', 'place']

Avant :     I would give them a no star, but I can't. This place is garbage. Stay away trust me. No one in our g
Après :     ['give_star', 'place', 'garbage', 'stay', 'trust', 'group', 'finish', 'plate']

Avant :     No air conditioning....   no draft beer  ( as stated on menu.)   No prime rib. ( as stated on menu.)
Après :     ['conditioning', 'draft_beer', 'state', 'state', 'menu', 'fire', 'mention', 'degree', 'suck', 'table']

Avant :     Was in hotel parking lot figured lunch couldn't be a big deal. The place is kinda run down. Waitress
Après :     ['hotel', 'parking_lot', 'figure', 'lunch', 'deal', 'place', 'run', 'waitress', 'bring', 'food']

Avant :     My friend really, really, really wanted to check this place out... We drove thirty minutes to get th
Après :     ['friend', 'want', 'check', 'place', 'drive', 'minute', 'customer_service', 'need', 'menu', 'speak']

Avant :     Food is good but the customer service is horrible. Sometimes it takes them a least 5 min to take you
Après :     ['food', 'customer_service', 'take_min', 'take', 'order', 'front', 'keep', 'answer_phone', 'kitchen', 'need']

Avant :     The sushi here is less than fresh (the 3 or 4 times I've eaten here).  It is very expensive for a ta
Après :     ['time', 'eat', 'take', 'place', 'take', 'order', 'atmosphere', 'blah']

Avant :     I once went to this Gavi and it was fine.  Second time though it was mostly empty, sat down, waited 
Après :     ['time', 'wait_minute', 'service', 'leave', 'tell', 'know']

Avant :     It's ugly, it seems dirty,  it's freezing  , it's unfriendly -- as if can't wait for you just pay an
Après :     ['seem', 'freezing', 'wait', 'pay', 'food', 'bargain', 'saving', 'pay', 'cash', 'eat']

Avant :     Good Diner food and coffee but not worth the rudeness of the wait staff. Dark haired waitress was ex
Après :     ['diner', 'food', 'coffee', 'rudeness', 'staff', 'waitress', 'rush', 'door']

Avant :     Great bagels but the egg sandwiches are not good. They use a liquid egg solution and cook it in the 
Après :     ['bagel', 'egg', 'sandwich', 'use', 'egg', 'solution', 'cook', 'microwave', 'egg', 'taste']

Avant :     A lot of people in Jenkintown seem to love this place, but I'm not impressed. The bagels are so-so a
Après :     ['lot', 'people', 'jenkintown', 'seem', 'love', 'place', 'impress', 'bagel', 'price', 'bagel']

Avant :     Sooo I wish I would have checked reviews before placing my order.. Everyone seems to love the bagels
Après :     ['wish', 'check', 'review', 'place', 'order', 'seem', 'love', 'bagel', 'read', 'make_mistake']

Avant :     We went to Germantown Pub for trivia night. So - I'm a bit of a trivia snob. And the trivia at Germa
Après :     ['pub', 'night', 'bit', 'pub', 'seem', 'foot', 'bit', 'bit', 'pub', 'food']

Avant :     Horrible experience. The service was awful (it took our waitress 3 tries to get our order correct) a
Après :     ['experience', 'service_awful', 'take', 'try', 'order', 'bar', 'beer', 'make', 'thing', 'pub']

Avant :     Really sad. Moon's opened a place on Fairview. Service slow. Food was sad. Potatoes weren't cooked, 
Après :     ['moon', 'open', 'place', 'fairview', 'service', 'food', 'potato', 'cook', 'bene', 'egg']

Avant :     A Lot of HYPE.. Very Little TRUTH

I had heard great things about Moon's so I took my husband for lu
Après :     ['lot', 'hype', 'truth', 'hear_thing', 'moon', 'take', 'husband', 'lunch', 'day', 'place']

Avant :     We've been here quite a few times and the service has usually been slow but friendly.  We gave the p
Après :     ['time', 'service_slow', 'give', 'place', 'today', 'waitress', 'surround', 'table', 'place', 'order']

Avant :     It has been a long while since I've been to this dump, still a dump only food was even worse than la
Après :     ['dump', 'dump', 'food', 'time', 'food_poison', 'spend', 'rest', 'day', 'wish', 'rancid']

Avant :     food was ok but it took them 30 mins to plate our food. then they gave us a lame excuse of needing t
Après :     ['food', 'take_min', 'plate', 'food', 'give', 'excuse', 'need', 'redo', 'plate', 'mean']

Avant :     Food was great. Atmosphere is awesome. The reason I'm giving it a bad review is because of the serve
Après :     ['food', 'atmosphere', 'reason', 'give', 'review', 'server', 'server', 'order', 'course', 'mess']

Avant :     I was a weekly customer several years ago. The service was superb, the food was OK, and the beer cho
Après :     ['customer', 'year', 'service', 'superb', 'food', 'beer', 'choice', 'return', 'week', 'find']

Avant :     I had the shrimp tacos. They were not good. beer battered and not a lot of flavor. 

The atmosphere 
Après :     ['beer', 'batter', 'lot', 'flavor', 'atmosphere', 'bar', 'restaurant', 'combine', 'guy', 'atmosphere']

Avant :     If there's a way to screw up a veggie burger, this is the place to do it.  Gave it a couple of tries
Après :     ['way', 'screw', 'give', 'couple', 'try', 'please', 'converse', 'table', 'learn', 'language']

Avant :     I ate here 2 years ago for breakfast based off the suggestion from a local. I ordered a Bloody Mary 
Après :     ['eat', 'year', 'breakfast', 'base', 'suggestion', 'order', 'omelette', 'stuff', 'hair', 'talk']

Avant :     This was the worst stop of my entire trip. No room to sit, and please don't use the bathroom. Its a 
Après :     ['stop', 'trip', 'room', 'sit', 'use', 'bathroom', 'sweat', 'box', 'kitchen', 'move']

Avant :     Somehow this place was listed as one of the best places to get breakfast in the French Quarter. Whoe
Après :     ['place', 'list', 'place', 'breakfast', 'quarter', 'write', 'crack', 'place', 'service_slow', 'restaurant']

Avant :     I had the crabcakes and everything about the whole experience felt like I was in a hobo nursing home
Après :     ['crabcake', 'experience', 'feel', 'hobo', 'nursing', 'home', 'bland', 'food', 'flavorless', 'grandparent']

Avant :     Move along. This place is a very greasy spoon. The toast wasn't toasted. The poached eggs were over 
Après :     ['move', 'place', 'spoon', 'toast', 'toast', 'egg', 'cook', 'sausage', 'waste', 'meal']

Avant :     Plain food at a good price.  This place was suggested by the concierge at our hotel.  I have to say,
Après :     ['food', 'price', 'place', 'suggest', 'concierge', 'hotel', 'say', 'people', 'desk', 'wrong']

Avant :     The only thing worse than my food was seeing the massive cockroaches running across the back wall by
Après :     ['thing', 'food', 'see', 'cockroach', 'run', 'door', 'recommend', 'place']

Avant :     French Quarter dive, easily accessible from the CBD.

Don't expect haute cuisine.  Some of their dis
Après :     ['quarter', 'dive', 'cbd', 'expect', 'cuisine', 'dish', 'love', 'muffaletta', 'muffaleta', 'ingredient']

Avant :     I ordered a turkey sandwich and baked macaroni and cheese. The turkey was shredded and DRY. The maca
Après :     ['order', 'sandwich', 'bake', 'shred_cheese', 'powder', 'taste', 'try', 'cover', 'flavor', 'order']

Avant :     Lively diner in the heart of the french quarter. Lots of locals inside. That aspect of it was fun.


Après :     ['diner', 'heart', 'quarter', 'lot', 'local', 'aspect', 'fun', 'place', 'review', 'none']

Avant :     Food no better then I HOP. In fact the home fries were bake potato chunk reheat almost.  Service was
Après :     ['food', 'hop', 'fact', 'home', 'fry', 'bake', 'potato', 'chunk', 'reheat', 'service']

Avant :     I don't understand the hubbub about burritos that are 75% rice. No wonder they call themselves "heal
Après :     ['understand', 'hubbub', 'rice', 'wonder', 'call', 'wish', 'open', 'baja', 'tucson']

Avant :     Gak! My 4 yr old daughter says this is her favorite restaurant so on occasion I break down and we go
Après :     ['daughter', 'say', 'restaurant', 'occasion', 'break', 'eat', 'regret', 'time', 'figure', 'enjoy']

Avant :     Ordered take-out by phone for lunch - the girl on the phone couldn't tell me if she was on the river
Après :     ['order', 'take', 'phone', 'lunch', 'girl', 'phone', 'tell', 'river', 'side', 'tell']

Avant :     Good food, nasty owner. We were a once a week customer of theirs for a good 2 years until the owner 
Après :     ['food', 'owner', 'week', 'customer', 'year', 'owner', 'flip', 'delivery', 'tell', 'min']

Avant :     Just not good compared to other places around. I personally like the sweeter "pinched" crab Rangoon,
Après :     ['compare', 'place', 'pinch', 'crab_rangoon', 'fold', 'one', 'egg_roll', 'one']

Avant :     Excited to try this new, nice looking burger place in town and finally got a chance eat there - very
Après :     ['try', 'look', 'town', 'chance', 'eat', 'set', 'food', 'restaurant', 'charge', 'end']

Avant :     First the good... the burgers look really good. The bad is they taste pretty awful. If you like McDo
Après :     ['burger', 'look', 'taste', 'mcdonald', 'food', 'room_temp', 'cold']

Avant :     The service here was absolutely terrible. The food took forever and was cold when I received it. Def
Après :     ['service', 'food', 'take', 'receive', 'come']

Avant :     I went there today for the second time. Everything I ordered was disgusting. My crab rogoon wasn't o
Après :     ['today', 'time', 'order', 'crab', 'chew', 'filling', 'egg', 'flavorless', 'egg_roll', 'taste']

Avant :     It appeared nice and clean.  The prices are reasonable.  It would probably have been good if the coo
Après :     ['appear', 'price', 'cook', 'take', 'burn', 'clean', 'pan', 'leave', 'burn', 'onion']

Avant :     Ok well I'd heard so much about this place i had to try it. Well NEVER AGAIN! Dirty Dirty Dirty! Rud
Après :     ['hear', 'place', 'try', 'rude', 'service', 'parm', 'price', 'life', 'chicken_parm', 'cover']

Avant :     Horrible !!! I love to eat and very seldom complain about food but this place was just no good !!! W
Après :     ['love', 'eat', 'complain', 'food', 'place', 'start', 'start', 'fly', 'leave', 'fruit']

Avant :     I don't generally write restaurant reviews, but...I was so excited to finally have a nicer restauran
Après :     ['write', 'restaurant', 'review', 'excite', 'restaurant', 'end', 'atmosphere', 'service', 'wait', 'water']

Avant :     Not that good...much better Italian in the city.  Staff was a disgrace.. Food subpar, only plus byob
Après :     ['city', 'staff', 'disgrace', 'food', 'byob']

Avant :     This place used to be nice but over the years it has degraded a little. 

I actually like sitting in
Après :     ['place', 'use', 'year', 'degrade', 'sit_bar', 'people', 'smoke', 'think', 'service', 'half']

Avant :     Returned from lunch at Casa only a couple hours ago.  My friend that I was meeting is a fan, and wor
Après :     ['return', 'lunch', 'couple', 'hour', 'friend', 'meet', 'fan', 'work', 'neck', 'wood']

Avant :     Waked in and ordered a meal. Simple, 1 egg, regular hashbrowns, order of bacon. 30 minutes later I g
Après :     ['order', 'meal', 'egg', 'hashbrown', 'order', 'bacon', 'minute', 'bacon', 'wait', 'staff']

Avant :     Okay, it's been years since I've been to a waffle house, now remember why. I had two add ons for my 
Après :     ['year', 'remember', 'add', 'ons', 'hashbrown', 'smother', 'cheese', 'onion', 'idea', 'smother']

Avant :     Overall the Waffle House is a southern choice for late night or early morning food. While on a road 
Après :     ['waffle', 'choice', 'night', 'morning', 'food', 'road_trip', 'year', 'decide', 'stop', 'eat']

Avant :     Our server, Brittney, has zero respect for patriots. I told her that the way she talked about custom
Après :     ['server', 'brittney', 'respect', 'patriot', 'tell', 'way', 'talk', 'customer', 'rude', 'say']

Avant :     We ate here as repeat customers for years, but our last 2 orders were not good. We typically get the
Après :     ['eat', 'repeat', 'customer', 'year', 'order', 'thing', 'quality', 'taste', 'texture', 'thing']

Avant :     Check out FB under Madison .Taylor.  Posted pix of animal jaw found in fried rice from this place!  
Après :     ['check', 'post', 'jaw', 'find', 'fry_rice', 'place', 'ewwwwwww']

Avant :     Just order from here, the delivery time was awesome but I got a Italian hoagie and my whole roll was
Après :     ['order', 'delivery', 'time', 'hoagie', 'roll', 'soggy', 'exaggerate', 'daughter', 'fry_soggy', 'bit']

Avant :     Lived in the area for almost 2 1/2 years, never any major problems or mishaps. Last Thursday my fami
Après :     ['live', 'area', 'year', 'problem', 'mishap', 'family', 'order', 'phone', 'daughter', 'call']

Avant :     I've been coming here for a while as i work across the street and i will say the food is good and th
Après :     ['come', 'work', 'street', 'say', 'food', 'staff', 'issue', 'order', 'miss', 'add']

Avant :     Food tastes good, customer service appalling. Frequently get orders wrong. Bad management skills
Après :     ['food', 'taste', 'customer_service', 'appal', 'order', 'management', 'skill']

Avant :     My family & I just went here. The food was OK,egg drop soup was really good, but the staff well ther
Après :     ['family', 'food', 'egg', 'staff', 'manager', 'yell', 'staff_member', 'time', 'speak', 'spoon']

Avant :     poor customer service
lazy waiter
arrogant to mistake at checkout
tried to get me to accept incorrec
Après :     ['customer_service', 'waiter', 'mistake', 'checkout', 'try', 'accept', 'bill']

Avant :     Stopped in on a drive buy.  Just happened to read your reviews while I waited 10 minutes for a waitr
Après :     ['stop', 'drive', 'buy', 'happen', 'read_review', 'wait_minute', 'waitress', 'show', 'table', 'think']

Avant :     I only come here due to convenience, and it is primarily for slices of pizza.  To sum up, its a slig
Après :     ['come', 'convenience', 'slice', 'pizza', 'sum', 'place', 'sit', 'eat', 'meal', 'slice']

Avant :     When they first opened it was consistently amazing but now not so much. I live 400 feet away and eve
Après :     ['open', 'foot', 'time', 'order', 'month', 'food', 'come', 'show', 'time', 'wait']

Avant :     At least on the day I went in, PR smelled bad, and the sandwich makers were not wearing hair nets or
Après :     ['day', 'smell', 'sandwich', 'maker', 'wear_hair', 'net', 'hat', 'find_hair', 'food', 'leave']

Avant :     The other night was my first experience at Jet's pizza. We ordered a large pepperoni sausage and sch
Après :     ['night', 'experience', 'jet', 'pizza', 'order', 'pepperoni', 'sausage', 'schroom', 'hand', 'toss']

Avant :     I love Jet's, but I'm saying goodbye to this location. I've ordered from this location once a week f
Après :     ['love', 'jet', 'say', 'location', 'order', 'location', 'week', 'year', 'place', 'continue']

Avant :     Pizza is good as always, but also took two hours to arrive as always. Every time I order from this l
Après :     ['pizza', 'good', 'take', 'hour', 'arrive', 'time', 'order', 'location', 'arrive', 'state']

Avant :     Ordered online and got nothing. You have to wait three days for your money to be refunded. Waste of 
Après :     ['order', 'wait', 'day', 'money', 'refund', 'waste_time', 'order', 'burn', 'build', 'collect']

Avant :     Vegetables are from a can.  Very similar to other chains, such as Pizza Hut.

Overpriced.
Après :     ['vegetable', 'chain', 'pizza_hut', 'overprice']

Avant :     Worst Indian restaurant I have ever been to. Everything is bland. If you want to be able to taste an
Après :     ['restaurant', 'want', 'taste', 'kind', 'flavor', 'food', 'come', 'chicken_tikka', 'masala', 'tomato']

Avant :     The ONLY thing that saves this review from a 1 star is the entertainment. The food was atrocious. Ho
Après :     ['thing', 'save', 'review', 'star', 'entertainment', 'food', 'mess', 'potato_skin', 'fry', 'chicken']

Avant :     While the Brunchies in Tampa is an amazing place, this was a horrible experience. The restaurant is 
Après :     ['brunchie', 'tampa', 'place', 'experience', 'restaurant', 'staff', 'move', 'table', 'take', 'hour']

Avant :     This is the second time we have been to Brunchies. We gave it a fair try but the food and service is
Après :     ['time', 'brunchie', 'give', 'try', 'food', 'service', 'route', 'come', 'beef', 'potato']

Avant :     I was going to order delivery but the guy on the phone convinced me there was a very long wait time 
Après :     ['order', 'delivery_guy', 'phone', 'convince', 'wait', 'time', 'minute', 'ask', 'want', 'order']

Avant :     I was going to order delivery but the guy on the phone convinced me there was a very long wait time 
Après :     ['order', 'delivery_guy', 'phone', 'convince', 'wait', 'time', 'minute', 'ask', 'want', 'order']

Avant :     When I went to pick up my pizza, I saw that the girls making the pizza were not wearing any gloves! 
Après :     ['pick', 'pizza', 'see', 'girl', 'make', 'pizza', 'wear_glove', 'ask', 'confirm', 'wear_glove']

Avant :     Who delivers a calzone with no utensils? Was moving out and ordered some lunch from them to be deliv
Après :     ['deliver', 'calzone', 'utensil', 'move', 'order', 'lunch', 'deliver', 'food', 'eat', 'pack']

Avant :     Nasty place, nasty employees.
I used to order from this place at least one a week.
Recently, I had s
Après :     ['place', 'employee', 'use', 'order', 'place', 'week', 'fry', 'attitude', 'drive', 'employee']

Avant :     Went there for lunch I ordered a #1 with no ketchup I hate ketchup got back to work with a whopper w
Après :     ['lunch', 'order', 'ketchup', 'hate', 'ketchup', 'work', 'whopper', 'cheese', 'ketchup', 'fuck']

Avant :     Really poor seating management. 6:00 on a Sunday and the hostess has seated several parties of 2 at 
Après :     ['seating', 'management', 'hostess', 'seat', 'party', 'top', 'leave', 'table', 'table', 'party']

Avant :     Apparently they make a point to come tell me that I am parked in  one of the take out spots and that
Après :     ['make', 'point', 'come', 'tell', 'park', 'take', 'spot', 'move', 'parking', 'oblige']

Avant :     Decent pizza but way overpriced, $19.21 for a 12 inch traditional pie with 2 toppings. That's insane
Après :     ['pizza', 'way_overprice', 'inch', 'pie', 'topping', 'price', 'matter', 'order', 'meatball', 'pepperoni']

Avant :     Giving a 1 star because this very nice, very busy restaurant should absolutely be able to afford a f
Après :     ['give_star', 'restaurant', 'fountain_drink', 'machine', 'qualify', 'amount', 'product', 'serve', 'soda', 'bottle']

Avant :     One star because I cannot post with no stars. Live one block away, LOVE pizza but will not even try 
Après :     ['star', 'post', 'star', 'live_block', 'love', 'pizza', 'try', 'bottle', 'fountain_drink', 'tea']

Avant :     1st off NEVER trust an "Italian" pizza place that doesn't have grinders or meatball subs. Also never
Après :     ['trust', 'pizza', 'place', 'grinder', 'sub', 'pizza', 'place', 'sandwich', 'chicken', 'broccoli']

Avant :     The pizza had no taste and the wings that I ordered didn't even come buffalo, they came plain which 
Après :     ['pizza', 'taste', 'wing', 'order', 'come', 'buffalo', 'come', 'fact', 'ask', 'wing']

Avant :     We have ordered from here several times since they opened.  Prices on the high side but we enjoyed t
Après :     ['order', 'time', 'open', 'price', 'side', 'enjoy', 'salad', 'pizza', 'order', 'meatball']

Avant :     This place gets zero stars. We went into this place for dinner this evening. We were told by the wai
Après :     ['place', 'star', 'place', 'dinner', 'evening', 'tell', 'waitress', 'pass', 'pizza', 'counter']

Avant :     Not a great experience. My order came out late. Felt forgotten. Not a great first impression. The fo
Après :     ['experience', 'order', 'come', 'feel', 'forget', 'impression', 'food', 'return']

Avant :     1st visit this afternoon.  Staff was not welcoming and the place was not clean.  The server was slow
Après :     ['afternoon', 'staff', 'welcome', 'place', 'server', 'food', 'return']

Avant :     Food is terrible.  Went with a coworker and ordered 2 sandwiches.  Awful.  Cheese was not melted at 
Après :     ['food', 'coworker', 'order', 'sandwich', 'cheese_melt', 'mine', 'flavor', 'colleague', 'say', 'service']

Avant :     This place looks nice from the outside and looks very contemporary inside which is quite impressive.
Après :     ['place', 'look', 'look', 'order', 'eat', 'staff', 'train', 'pizza', 'time', 'life']

Avant :     I wanted to like this place but I just couldn't. We ordered calamari which I believe was straight fr
Après :     ['want', 'place', 'order', 'believe', 'freezer', 'boyfriend', 'order', 'leave', 'ton', 'desire']

Avant :     2 hours I'll never get back. Waited for the food for an hour before the bartender came back and aske
Après :     ['hour', 'wait', 'food', 'hour', 'bartender', 'come', 'ask', 'order', 'put', 'order']

Avant :     The food was not bad for a bar, pretty typical actually.  With that being said apparently this place
Après :     ['food', 'bar', 'say', 'place', 'derive', 'revenue', 'alcohol', 'smoke', 'establishment', 'guy']

Avant :     I came to this bar, was inside for a total of five minutes before some random girl I've never seen o
Après :     ['come', 'bar', 'minute', 'girl', 'see', 'talk', 'walk', 'punch', 'face', 'girl']

Avant :     We ventured in here last night for a quick drink and that's exactly what we did.  The table we sat a
Après :     ['venture', 'night', 'drink', 'table', 'sit', 'bit', 'turn', 'night', 'beer', 'doubt']

Avant :     I'm not exactly sure how this place is getting such good reviews. Besides the fact that the staff wa
Après :     ['place', 'review', 'fact', 'staff', 'kind', 'order', 'guacamole', 'chip', 'beef', 'bland']

Avant :     I've been to this Panera few times before and it's always fine but tonight I ordered food to go, got
Après :     ['tonight', 'order', 'food', 'home', 'realize', 'make', 'sandwich', 'drive', 'sandwich', 'home']

Avant :     Not what I expected.  The wait staff was slow and rude.  Ordered a peach tea bar drink.  No alcohol 
Après :     ['expect', 'wait', 'staff_rude', 'order', 'tea', 'bar', 'drink', 'alcohol', 'taste', 'menu']

Avant :     We normally have breakfast at Puckett's and it's usually quite good.   Tonight we went for dinner an
Après :     ['breakfast', 'tonight', 'dinner', 'case', 'food', 'take', 'hour', 'arrive', 'enjoy', 'seating']

Avant :     We have eaten here before and had very good food and service, however , on our recent lunch experien
Après :     ['eat', 'food', 'service', 'lunch', 'experience', 'food', 'vegetable', 'day', 'lima', 'bean']

Avant :     A great place to go and try southern food.  Atmosphere is excellent.  Service great.  We don't reall
Après :     ['place', 'try', 'food', 'atmosphere', 'service', 'care', 'menu', 'food']

Avant :     Went there for lunch. Bad mistake! The Johnny cakes & okra had such a nasty taste and were apparentl
Après :     ['lunch', 'mistake', 'cake', 'okra', 'taste', 'prepare', 'cooking', 'oil', 'use', 'napkin']

Avant :     Franklin Pucketts "Very dissatisfied not sure why Nashville is so laxed  in cleanliness,, found a gi
Après :     ['dissatisfy', 'laxe', 'cleanliness', 'find_hair', 'wrap', 'part', 'mouth', 'half', 'hang', 'salad']

Avant :     There are literally thousands of better places than this.... As a native of this area, i would recom
Après :     ['thousand', 'place', 'area', 'recommend', 'explain', 'tourist', 'love', 'place', 'blame', 'hotel']

Avant :     This place did not meet my expectations. I ordered the "redneck burrito" that was supposed to have p
Après :     ['place', 'meet_expectation', 'order', 'redneck', 'suppose', 'pull_pork', 'bake_bean', 'slaw', 'sound', 'hand']

Avant :     Small and crowded and extremely overrated. Had to wait an hour during lunch on Saturday  to get seat
Après :     ['crowd', 'hour', 'lunch', 'order', 'appetizer', 'remind', 'nachos', 'use', 'make', 'shred_cheese']

Avant :     The Beefcake Burger at The Greenwood Mall is terrible. I had a stale bun and the service is bad. Loo
Après :     ['beefcake', 'bun', 'service', 'look', 'train', 'customer', 'sevice', 'beefcake', 'burger', 'store']

Avant :     Workers are pretty rude. They took over another restaurants location and it shows. They put no effor
Après :     ['worker', 'rude', 'take', 'restaurant', 'location', 'show', 'put', 'effort', 'make', 'look']

Avant :     I like the food but they need to give serious consideration about the layout. When we were they we h
Après :     ['food', 'give', 'consideration', 'layout', 'trouble', 'wait', 'minuet', 'food', 'come', 'eat']

Avant :     AWFUL!!!!   We requested a table without overhead lighting.   I have a vision disability and need to
Après :     ['request', 'table', 'lighting', 'vision', 'disability', 'need', 'lighting', 'explain', 'hostess', 'take']

Avant :     They missed calling our name, and was told "We called it"  Funny, never heard it.  Everyone else is 
Après :     ['miss', 'call', 'name', 'tell', 'call', 'hear', 'call', 'give', 'table', 'location']

Avant :     Never coming here again. First off, it took FOREVER to get the food we ordered. Second, the drinks c
Après :     ['come', 'take', 'food', 'order', 'drink', 'come', 'glass', 'ask', 'refill', 'cup']

Avant :     Spinach dip was lukewarm. Obviously sat out for 10+ minutes before served. Waitress couldn't underst
Après :     ['sit', 'minute', 'serve', 'waitress', 'understand', 'want', 'onion', 'side', 'burger', 'come']

Avant :     This place is always crowded and after eating there, not sure why.  Prices are quite low, service is
Après :     ['place', 'crowd', 'eat', 'price', 'service', 'food', 'wait_line', 'party', 'burger', 'burger']

Avant :     2 orders of Dry ribs brought them out 2 times and they was the same way. The waiter was very nice th
Après :     ['order', 'rib', 'bring', 'way', 'waiter']

Avant :     Horrible management!!!  Food was the worst I have experienced in a long time.  I agree with someone 
Après :     ['management', 'food', 'experience', 'time', 'agree', 'comparison', 'time', 'money']

Avant :     I went one time to this place and had the blandest chicken tenders I have ever had. I forgot what my
Après :     ['time', 'place', 'chicken_tender', 'forget', 'wife', 'remark', 'hear', 'give_chance', 'lunch', 'meeting']

Avant :     This location is a joke and the management is the punch line. You know, we always say how this place
Après :     ['location', 'joke', 'management', 'line', 'know', 'say', 'place', 'remind', 'thinking', 'remind']

Avant :     Possibly a good bar, but not a good restaurant. Tried it for dinner on a Sunday in the spring- meat 
Après :     ['bar', 'restaurant', 'try', 'dinner', 'spring', 'meat', 'make', 'reheat', 'microwave', 'ice']

Avant :     Reasonable price for seafood, but not to die for. Seems like we ordered everything in mini size :( C
Après :     ['price', 'seafood', 'die', 'seem', 'order', 'size', 'clam', 'shell', 'mussel', 'size']

Avant :     Just okay. It seems that the crab is all they know how to do as myself and others have tried other m
Après :     ['seem', 'crab', 'know', 'try', 'menu_item', 'disappoint', 'time', 'appetizer', 'stick', 'crab_cake']

Avant :     I have been to other JCSs and the food was tasty, the staff was fun and the dining experience was en
Après :     ['staff', 'fun', 'dining_experience', 'location', 'lack', 'staff', 'make', 'feel', 'fault', 'return']

Avant :     So the service is so so, I was very disappointed when the sampler appetizer came out. The chips were
Après :     ['service', 'sampler', 'appetizer', 'come', 'chip', 'taste', 'fry', 'batter', 'ball', 'fire']

Avant :     Food is decent. Ate at Joes a few nights ago,  took the server 9 minutes to greet us, had to go to t
Après :     ['food', 'eat', 'joe', 'night', 'take', 'server', 'minute', 'greet', 'server', 'service']

Avant :     Was in the area and never been so stoped in. Glad i got this one off my list. Had nothing i would go
Après :     ['area', 'stop', 'list', 'back']

Avant :     I know I am crazy for expecting good service from a fast food place in the city but it really should
Après :     ['know', 'expect', 'service', 'food', 'place', 'city', 'find', 'checker', 'signage', 'deal']

Avant :     Absolutely terrible service!!! Do not waste a nice day/evening in this beautiful town at this place
Après :     ['service', 'waste', 'day', 'evening', 'town', 'place']

Avant :     The food was very gross and the service was just as bad. Please do not eat there but the beer was go
Après :     ['food', 'service', 'eat', 'beer', 'good']

Avant :     Service was pretty slow. Actually, it was painfully slow. I would recommend going anyplace else. McD
Après :     ['service', 'recommend', 'anyplace', 'mcdonald']

Avant :     Went one evening for dinner, the place was not very busy but we were not able to be waited on, we le
Après :     ['evening', 'dinner', 'place', 'wait', 'left', 'evening', 'cocktail', 'wait', 'leave', 'recommend']

Avant :     I went in with a group of 11, 4 kids 5 adults 2 grandparents, we asked to be seated and they said it
Après :     ['group', 'kid', 'adult', 'grandparent', 'ask', 'seat', 'say', 'people', 'time', 'people']

Avant :     Awful costumer service. They don't like children. They didn't want to accept a big group. They compl
Après :     ['service', 'child', 'want', 'accept', 'group', 'complain', 'make', 'food', 'manor', 'people']

Avant :     The 2 stars are for the thin crust on the cheese pizza we ordered. I enjoy thin crust pizzas. Aside 
Après :     ['star', 'crust', 'cheese', 'pizza', 'order', 'enjoy', 'crust', 'pizza', 'pizza', 'service']

Avant :     So I have been here multiple times becuase it is close to my work and some of my coworkers love the 
Après :     ['time', 'becuase', 'work', 'coworker', 'love', 'wing', 'occassion', 'try', 'thing', 'thing']

Avant :     Came here for lunch with some of my co-workers.

They recommended the chicken tenders or shark on th
Après :     ['come', 'worker', 'recommend', 'chicken_tender', 'shark', 'lunch', 'menu', 'end', 'order', 'chicken_tender']

Avant :     When you can't even get a cheeseburger right, twice.... Well I think it's time to look for another p
Après :     ['cheeseburger', 'think', 'time', 'look', 'place', 'quench', 'feed', 'appetite', 'service', 'find']

Avant :     The bakery item list is very impressive and most items we've sampled have been really good, especial
Après :     ['bakery', 'item', 'list', 'item', 'sample', 'business', 'change', 'hour', 'notice', 'example']

Avant :     Extremely disappointing experience. Upon entering, I asked one of the store workers about their reco
Après :     ['experience', 'enter', 'ask', 'store', 'worker', 'recommend', 'pastry', 'appear', 'idea', 'recommend']

Avant :     I have passed this bakery thousands of times. Tonight, I had a craving for baked goods, it was too h
Après :     ['pass', 'bakery', 'thousand', 'time', 'tonight', 'crave', 'bake_good', 'make', 'figure', 'give']

Avant :     Food: 2.5
Service: 2.5
Value: 2

Did not live up to the hype in terms of quality. Pricey and strange
Après :     ['food', 'service', 'value', 'live_hype', 'term', 'quality', 'place']

Avant :     Horrible beyond words. I was STARVING and it was still so bad I couldn't eat the "pad Thai" with chi
Après :     ['word', 'starve', 'eat', 'food', 'know', 'make', 'place']

Avant :     The service gets extremely slow once the sun goes down. I guess since they figure they are two hours
Après :     ['service', 'sun', 'guess', 'figure', 'hour', 'closing_time', 'person', 'help', 'customer', 'counter']

Avant :     Many times I ordered a bowl with one entry. But what I got was a bowl full of white rice but very li
Après :     ['time', 'order', 'bowl', 'entry', 'bowl', 'rice', 'entry', 'experience', 'review', 'panda']

Avant :     Place still doesn't seem to have improved. Constantly low on all items to where if the 2 people in f
Après :     ['place', 'seem', 'improve', 'item', 'people', 'front', 'happen', 'thing', 'want', 'wait']

Avant :     Ordered here tonight and now regretting it as I sit here with chills fever vomiting and upset stomac
Après :     ['order', 'tonight', 'regret', 'sit', 'chill', 'fever', 'vomit', 'stomach', 'eat', 'soup']

Avant :     Well its not the Magazine st location for sure. I had the smoked salmon, shrimp rolls and calamari. 
Après :     ['smoke', 'roll', 'roll', 'eat', 'calamari', 'taste', 'pork', 'rectum', 'ring', 'serve']

Avant :     I've been sitting at the bar waiting for someone to ask me what I'm having. I waited a good 5 minute
Après :     ['sit_bar', 'wait', 'ask', 'wait_minute', 'ask', 'serve', 'order', 'pineapple', 'rice', 'thing']

Avant :     Used to be good when the Asian family owned it. Now it's a bunch of red neck looking kids. Blizzards
Après :     ['use', 'family', 'bunch', 'neck', 'look', 'kid', 'blizzard', 'chunk', 'stuff', 'dollar']

Avant :     I wanted this place to be good so badly. It ended up being the worst dining experience I've ever had
Après :     ['want', 'place', 'end', 'dining_experience', 'liberty', 'beer', 'ok', 'end', 'beer', 'order']

Avant :     I have shopped at the Tampa Road store since the mid-eighties. When the store grew and expanded, I f
Après :     ['road', 'store', 'eighty', 'store', 'grow', 'expand', 'feel', 'service', 'selection', 'quality']

Avant :     This is the worst Mexican food I've ever had. The salsa definitely comes from a jar. My friend got a
Après :     ['food', 'come', 'friend', 'agave', 'thought', 'taste', 'water', 'cheese', 'look', 'cheese']

Avant :     Let me first start out by saying that the food is fantastic. So I guess your asking why two stars th
Après :     ['let_start', 'say', 'food', 'guess', 'ask', 'star', 'give_star', 'monday', 'live', 'band']

Avant :     If you order fajitas you will pay extra for cheese and sour cream and anything that you would normal
Après :     ['order', 'fajita', 'pay', 'cream', 'fajitas', 'food', 'service']

Avant :     We checked out Poblanos this evening.  I can't say we were very impressed.  I'm a huge Mexican food 
Après :     ['check', 'poblanos', 'evening', 'impress', 'food', 'seem', 'place', 'fall', 'wait', 'dinner']

Avant :     Worst service ever. Ordered appetizers and meal and it took forever.  Look out if you want a drink r
Après :     ['service', 'order', 'appetizer', 'meal', 'take', 'look', 'drink_refill', 'drive', 'home', 'come']

Avant :     Came here to celebrate my nephew graduation.  However the piss poor service and lethargic oh hum att
Après :     ['come', 'celebrate', 'nephew', 'graduation', 'service', 'attitude', 'display', 'staff', 'denny', 'avoid']

Avant :     Sitting here as we speak and I have been waiting an hour to get an appetizer. Also the burgers are t
Après :     ['sit', 'speak', 'waiting_hour', 'appetizer', 'burger']

Avant :     The service was fine and friendly. However the caesar salad I ordered was very wet, the dressing was
Après :     ['service', 'salad', 'order', 'dress', 'consistency', 'water', 'order', 'bourbon', 'steak', 'medium']

Avant :     Very, very disappointing.  Unctuous waiter. I got food poisoning. The meal took a painfully long tim
Après :     ['waiter', 'food_poison', 'meal', 'take', 'time', 'reach', 'techno', 'music', 'conversation', 'signal']

Avant :     My fiancé and I went here for valentines day and neither one of us enjoyed our meal.  The portions w
Après :     ['fiance', 'valentine', 'day', 'enjoy', 'meal', 'portion', 'service', 'sub_par', 'reccome', 'resturant']

Avant :     Terrible.  The service staff was sitting watching a T.V. sitcom. I had a burger and it was awful. My
Après :     ['service', 'staff', 'sit', 'watch', 'sitcom', 'burger', 'guest', 'bone', 'pork_chop', 'look']

Avant :     This place BLOWS and has the audacity to charge Ruth Chris prices. 

Do yourself a favor.... Go to R
Après :     ['place', 'blow', 'audacity', 'charge', 'price', 'favor', 'walk', 'block', 'embassy', 'suite']

Avant :     This place is worst than before. They should just shut it down!

Went with my sister. Both of our st
Après :     ['place', 'shut', 'sister', 'steak', 'filet', 'mignon', 'burn', 'cook', 'service', 'self']

Avant :     This was awful. A friend recommended the place on our way to a concert. Maybe I got the wrong food, 
Après :     ['friend', 'recommend', 'place', 'way', 'concert', 'food', 'dog', 'half', 'consume', 'seem']

Avant :     Absolutely awful pizza.  My fiancee and I ate there last night and ordered takeout.  First of I got 
Après :     ['pizza', 'fiancee', 'eat', 'night', 'order', 'takeout', 'pick', 'order', 'ignore', 'minute']

Avant :     Cute place. But lame liquor selection and the pizza by the slice served at 10pm on a thurs was old a
Après :     ['place', 'liquor', 'selection', 'pizza', 'slice', 'serve', 'pm', 'thur', 'burn', 'bartender']

Avant :     The pizza and stix here are so so good!  The service is mediocre and the owner, I'm not a huge fan o
Après :     ['pizza', 'stix', 'service', 'mediocre', 'owner', 'fan', 'buy', 'deal', 'groupon', 'remember']

Avant :     NOT late night food, kitchen closes at 11 pm.  Appreciate the referral to Oreillys Pub.
Après :     ['night', 'food', 'kitchen_close', 'pm', 'appreciate', 'oreillys', 'pub']

Avant :     Service is efficient and pleasant and the atmosphere is casual with TV's and sports. Pizza toppings 
Après :     ['service', 'atmosphere', 'tv', 'sport', 'pizza', 'topping', 'crust', 'meh', 'crust', 'bread']

Avant :     This place doesn't want your business!! Try to call in a take-out order and they'll ignore the phone
Après :     ['place', 'want', 'business', 'try', 'call', 'take', 'order', 'ignore', 'phone', 'app']

Avant :     It was... not good.  We got there late-ish on a Sunday, and the service was such that it was obvious
Après :     ['ish', 'service', 'care', 'burger', 'fry', 'greasy', 'mention', 'fill', 'wanting', 'try']

Avant :     Second time I've gone in there to order burger, fries & shake and not only was the order taker rude 
Après :     ['time', 'order', 'burger', 'fry', 'shake', 'order', 'taker', 'lime', 'flavoring', 'shake']

Avant :     Friendly service was the only plus I found.  The fries were very weird, either over cooked or just n
Après :     ['service', 'find', 'fry', 'cook', 'burger', 'beef', 'come', 'beef', 'option', 'area']

Avant :     So unimpressed.  Soggy fries.  Flavorless burger.  Expensive, to boot.  I get that some people reall
Après :     ['fry', 'flavorless', 'boot', 'people', 'care', 'grass', 'feed', 'come', 'return', 'suggest']

Avant :     What happened?  This place used to be a favorite (as in once a week for years).  Not any more...look
Après :     ['happen', 'place', 'use', 'week', 'year', 'look', 'reduce', 'number', 'people_work', 'shift']

Avant :     I used to love this place but I haven't been here in several months. I had an opportunity to go toda
Après :     ['use_love', 'place', 'month', 'opportunity', 'today', 'place', 'use', 'pack', 'lunch', 'weekday']

Avant :     I used to go to elavation. I really liked the grass fed burger, fries, and shakes. But over time, th
Après :     ['use', 'elavation', 'like', 'grass', 'feed', 'fry', 'shake', 'time', 'place', 'turn']

Avant :     This place has gone downhill. On a recent Thursday night visit there were four customers and five em
Après :     ['place', 'night', 'visit', 'customer', 'employee', 'restaurant', 'take', 'minute', 'make', 'burger']

Avant :     $12 for a small burger and fries with a drink...rip off IMO but they do have chalula hot sauce packe
Après :     ['burger', 'fry', 'drink', 'rip', 'imo', 'sauce', 'packet', 'give_star', 'burger', 'organic']

Avant :     I haven't been here in 2016.  We went constantly when they first opened.  I don't know how many free
Après :     ['open', 'know', 'burger', 'coupon', 'earn', 'lot', 'watch', 'quality', 'degrade', 'co_worker']

Avant :     What... no MUSHROOMS???? MEH!!!!!!!!!!!!!!!!!!!!!!!!!!!  LOL   I got an okay cheeseburger that was m
Après :     ['mushroom', 'lol', 'cheeseburger', 'greasy', 'taste', 'fry', 'potato', 'stick', 'care', 'greasy']

Avant :     I'm not as impressed with this place as I hoped I would be. I don't like shoestring fries cuz you ha
Après :     ['place', 'hope', 'like', 'shoestring', 'fry', 'eat', 'folk', 'eat', 'fry', 'folk']

Avant :     This place went downhill really fast. The long waiting time for a simple order, and really unclean c
Après :     ['place', 'wait', 'time', 'order', 'condition', 'make', 'place', 'use_love', 'stop', 'thing']

Avant :     This used to be one of our favorite places for a quick burger,  even when there was a line. Tonight,
Après :     ['use', 'place', 'burger', 'line', 'tonight', 'line', 'wait_minute', 'burger', 'fry', 'see']

Avant :     there's a lot of hype around elevation burger so i had some high expectations. My burger was all rig
Après :     ['lot', 'hype', 'elevation', 'burger', 'expectation', 'burger', 'overcook', 'assemble', 'cheese', 'topping']

Avant :     It's a McDonalds with hardwood floors. Good food....for a fast food joint.
Après :     ['mcdonald', 'hardwood', 'floor', 'food', 'food', 'joint']

Avant :     Bland and lacking. When you order cauliflower rice as a base it's expected to get more than a tables
Après :     ['lack', 'order', 'cauliflower', 'rice', 'base', 'expect', 'tablespoon', 'tofu', 'tasteless', 'cook']

Avant :     Terrible. Would give it zero stars if I could. I should've known better when I walked in. But I was 
Après :     ['give_star', 'know', 'walk', 'food', 'top', 'acase', 'food_poison', 'buyer', 'beware']

Avant :     If you are willing to spend $6.00 for a 1.2 oz shot of Early Times, this is the place for you.
Après :     ['spend', 'oz', 'shoot', 'time', 'place']

Avant :     Bar was empty. Staff stood around talking, after 20 minutes no one came to our table so we left.
Après :     ['bar', 'staff', 'stand', 'talk', 'minute', 'come', 'table', 'leave']

Avant :     Seeing all the great reviews and a 5 star rating really got me excited to try this place out but I w
Après :     ['see', 'review', 'rating', 'try', 'place', 'let', 'dish', 'receive', 'problem', 'place']

Avant :     Horrible service. Sat there for 20 minutes before server finally came out. Claims no one told her we
Après :     ['service', 'sit', 'server', 'come', 'claim', 'tell', 'guess', 'see', 'ticket', 'playhouse']

Avant :     There are so many good places in New Hope but unfortunately for me, this isn't one of them.  My fami
Après :     ['place', 'hope', 'family', 'order', 'entree', 'dip', 'meat', 'expert', 'need', 'eat']

Avant :     The atmosphere was great.  Sat outside on a nice night.  Music playing and a good crowd. The service
Après :     ['atmosphere', 'sit', 'night', 'music_play', 'crowd', 'service', 'party', 'lot', 'drink', 'order']

Avant :     Placemats were dirty. Table with bread crumbs from previous guests and a chair where my mother was p
Après :     ['placemat', 'table', 'bread', 'crumb', 'guest', 'chair', 'mother', 'place', 'food', 'plate']

Avant :     Sat at the outside bar...ordered Logan Burger.
It took 30 minutes to get it, when I politely asked a
Après :     ['sit_bar', 'order', 'take', 'minute', 'ask', 'take', 'time', 'bartender', 'say', 'take']

Avant :     Went here around Halloween and sat inside at the bar. Service and food was excellent. I was impresse
Après :     ['halloween', 'sit_bar', 'service', 'food', 'excellent', 'impress', 'decide', 'return', 'afternoon', 'approach']

Avant :     The Logan Inn was a beautiful setting in New Hope, and the food was good, but our service was disapp
Après :     ['inn', 'set', 'hope', 'food', 'service', 'disappoint', 'seat', 'restaurant', 'table', 'water_glass']

Avant :     Very disappointed. Ordered salad with bacon and blue cheese.  It was $12 dollars.  Got a 1/8 head of
Après :     ['order', 'salad', 'bacon', 'cheese', 'dollar', 'head', 'slice', 'bacon', 'cheese', 'dress']

Avant :     Had high hopes for this restaurant and an el fresco lunch. However, they: got our drink order wrong 
Après :     ['drink', 'order', 'gate', 'make', 'drink', 'make', 'drink', 'dress', 'salad', 'ask']

Avant :     Well- ordered prime rib. Looked fabulous. The amount of salt on it- could do 10 pretzels. Add to tha
Après :     ['order', 'rib', 'look', 'amount', 'salt', 'pretzel', 'add', 'potato', 'smoke', 'kudo']

Avant :     Table and placemat and chairs were dirty. Prices are high like for high end restaurant which is not.
Après :     ['table', 'placemat', 'chair', 'price', 'end', 'restaurant', 'food', 'bathroom']

Avant :     Some of the worst tacos I've ever had. They were cold and completely unappetizing, and not to mentio
Après :     ['taco', 'unappetizing', 'mention', 'overprice', 'recommend']

Avant :     Otaco? More like Oshitno! I was so disappointed. Wow. I can't believe they have the audacity to call
Après :     ['disappoint', 'believe', 'audacity', 'call', 'food', 'asada', 'bowl', 'try', 'cheese', 'fry']

Avant :     Ordered the papas "bowl"--potatoes are the only vegetarian option--and received a box with an inch o
Après :     ['order', 'papa', 'potato', 'option', 'receive', 'box', 'inch', 'rice', 'bottom', 'top']

Avant :     Absolutely disgusting! If you want quality food DO NOT COME HERE! The "guacamole" had to be the wors
Après :     ['want', 'quality', 'food', 'come', 'guacamole', 'thing', 'think', 'buying', 'try', 'decide']

Avant :     Terrible service under new ownership.  Old clientele are ignored while customers from owners previou
Après :     ['service', 'ownership', 'clientele', 'ignore', 'customer', 'owner', 'job', 'give', 'notch', 'attention']

Avant :     Been good other times ... This time was a total let down .. I think they are going through new owner
Après :     ['time', 'time', 'total', 'let', 'think', 'ownership', 'give', 'try', 'meal']

Avant :     Bad service, okay food. Bar was slow and they were out of many wines/beers and no clean wine glasses
Après :     ['service', 'food', 'bar', 'wine', 'beer', 'clean', 'wine_glass', 'menu', 'salad', 'menu']

Avant :     I've eaten here before and never had an issue but this time it was a cluster.  90 minutes later and 
Après :     ['eat', 'issue', 'time', 'cluster', 'minute', 'entree', 'server', 'stop', 'refill', 'glass']

Avant :     First let me say the two stars is really about reflecting on the dirty plates and silverware I had t
Après :     ['let', 'say', 'star', 'reflect', 'plate', 'silverware', 'weed', 'visit', 'place', 'friend']

Avant :     We tried this restaurant after reading the good reviews.  I now realize they must have been written 
Après :     ['try', 'restaurant', 'read_review', 'realize', 'write', 'staff', 'service', 'mediocre', 'staff', 'seem']

Avant :     We had lunch on a Tuesday. The inside is very nice.  
If you only have an hour for lunch, this is no
Après :     ['lunch', 'hour', 'lunch', 'spot', 'waitress', 'people', 'restaurant', 'minute', 'wait', 'food']

Avant :     I'm tough on Mexican food. I grew up on it in Southern California. Our waiter attempted to "school" 
Après :     ['food', 'grow', 'attempt', 'school', 'topic', 'version', 'find', 'fajita', 'dish', 'offer']

Avant :     As others have said, the pizza had parts that were burnt char on the bottom. Maybe this restaurant n
Après :     ['say', 'pizza', 'part', 'burn', 'bottom', 'restaurant', 'need', 'sit', 'burn', 'area']

Avant :     I could be craving pizza and be walking by and STILL not go in again. I will say the ingredients are
Après :     ['crave', 'pizza', 'walk', 'say', 'ingredient', 'service', 'pizza_crust', 'pizza', 'minute', 'bland']

Avant :     Awful! Typical Philly "hot spot" that appeals to hipsters and snobs that would rather have a "scene"
Après :     ['spot', 'appeal', 'hipster', 'snob', 'scene', 'quality', 'dining', 'order', 'pizza', 'burn']

Avant :     Didn't even get to eat....  Waited 30 mins for a table. We were skipped and than offered to sit at t
Après :     ['eat', 'wait_min', 'table', 'skip', 'offer', 'sit', 'counter', 'baby', 'give', 'table']

Avant :     Paid $14 for a 10 inch Margerita pizza that was cut into 6 pieces, 2 of which didn't have any cheese
Après :     ['pay', 'inch', 'cut', 'piece', 'cheese', 'none', 'sauce', 'pizza', 'overprice', 'size']

Avant :     We'll I'm not a really big fan of fancy pizza like this. I got a pizza with no cheese and one with o
Après :     ['fan', 'pizza', 'pizza', 'cheese', 'cheese', 'wish', 'sit', 'watch', 'cook', 'think']

Avant :     I've been enjoying this pizza place since it opened but based on my recent experiences, the quality 
Après :     ['enjoy', 'pizza', 'place', 'open', 'base', 'experience', 'quality', 'taste', 'decline', 'disappoint']

Avant :     I found the pizza dough to be chewy and lacking flavor . The pizza was average and easily forgettabl
Après :     ['find', 'pizza', 'dough', 'lack_flavor', 'pizza', 'average', 'woodburning', 'oven', 'pump', 'enhance']

Avant :     Two words: food poisoning.

After a long day traveling to Philadelphia with little else to eat, I wa
Après :     ['word', 'food_poison', 'day', 'travel', 'eat', 'food', 'order', 'salad', 'beer', 'hour']

Avant :     Ordered for delivery via Caviar.  We live about 15 minutes away from the restaurant.  Ordered two pi
Après :     ['order', 'delivery', 'minute', 'restaurant', 'order', 'pizza', 'come', 'ice', 'stuff', 'order']

Avant :     I was excited to try this place since I love the vetri places. Got takeout for lunch had a slice of 
Après :     ['try', 'place', 'love', 'vetri', 'place', 'takeout', 'lunch', 'slice', 'pizza', 'leek']

Avant :     This place has the most horrible seating and the pizza is sub par. The only good thing was the servi
Après :     ['place', 'seating', 'pizza', 'sub', 'thing', 'service', 'course', 'location', 'location', 'location']

Avant :     Place is a joke.  The food was good, don't get me wrong but if I went back hungry I'm getting at lea
Après :     ['place', 'joke', 'food', 'wrong', 'pizza', 'want', 'spend', 'pizza', 'salad', 'wine']

Avant :     Had the magherita pizza, was underwhelmed. Overpriced for portion size, waiter was inattentive.  Don
Après :     ['underwhelme', 'portion_size', 'waiter', 'understand_hype', 'place']

Avant :     I was very disappointed with the cake I ordered. I picked it up at the shop. The service was very sl
Après :     ['cake', 'order', 'pick', 'shop', 'service', 'pay', 'cake', 'pick', 'sit', 'minute']

Avant :     This place is adorable but expensive. I went in & bought one piece of hummingbird cake & one lemon b
Après :     ['place', 'expensive', 'buy', 'piece', 'lemon', 'bar', 'open', 'bag', 'look', 'piece']

Avant :     After careful thought I have to give this place 2 stars. I've gone here on 4 separate occasions and 
Après :     ['thought', 'give', 'place', 'star', 'occasion', 'trip', 'dessert', 'dessert', 'flavor', 'cake']

Avant :     Expensive, overcrowded, hard to find a spot for parking, friendly but slow service, order the quiche
Après :     ['find', 'spot', 'parking', 'service', 'order', 'flan', 'texture', 'carrot', 'cake']

Avant :     The cake was really great!  We picked up the carrot and chocolate cake slices. We liked that they we
Après :     ['cake', 'pick', 'carrot', 'chocolate_cake', 'slice', 'like', 'place', 'entry', 'feel', 'way']

Avant :     Yikes!   Being English I love a good dessert as much as the next person.  I drove past a few days ag
Après :     ['yike', 'love', 'dessert', 'person', 'drive', 'day', 'grandson', 'time', 'promise', 'eat']

Avant :     The pastry is good - coming from France there not even close !! But ok none the less - be prepared t
Après :     ['pastry', 'come', 'close', 'none', 'mortgage', 'want', 'buy', 'cake']

Avant :     Overpriced and the actual cake is frankly overrated. If you order coffee, refills are not free. Good
Après :     ['overprice', 'cake', 'overrate', 'order', 'coffee_refill', 'advance', 'say', 'wanting', 'take', 'girl']

Avant :     I paid $25 for two different slices of cake (birthday cake and the champagne raspberry) that were dr
Après :     ['pay', 'slice', 'cake', 'birthday', 'cake', 'frosting', 'taste', 'sweeten', 'feel', 'pay']

Avant :     Walked in one weekday afternoon with my boyfriend, hoping to check it out. The host (owner, perhaps)
Après :     ['walk', 'weekday', 'afternoon', 'boyfriend', 'hope', 'check', 'host', 'owner', 'smile', 'invite']

Avant :     i do not mind paying "high dollar" for top notch food, but almost 60.00 for what I had received, NEV
Après :     ['mind_pay', 'dollar', 'notch', 'food', 'receive', 'cake', 'slice', 'stand', 'box', 'dry']

Avant :     Yes this place is beautiful and the decor is on point, but $12 for a slice of cake?  It's sugar and 
Après :     ['place', 'cake', 'sugar', 'flour', 'overprice']

Avant :     Red velvet cake was dry. Disappointed. Icing and filling were great but cake was too dry.
Après :     ['cake', 'icing', 'fill', 'cake']

Avant :     I had lunch but passed on the deserts.  I had the quiche. $12 for a piece of  quiche that was so-so.
Après :     ['lunch', 'pass', 'desert', 'quiche', 'piece', 'look', 'price', 'list', 'walk', 'lunch']

Avant :     It was ok. Food was ok. Cake was good but not worth the price. Very limited food menu. So frilly. Go
Après :     ['food', 'cake', 'price', 'food', 'menu', 'group', 'year', 'girl', 'year', 'girl']

Avant :     They're too slow. Took over half an hour for two arepas, their Friday special. A savvy, functioning 
Après :     ['take', 'hour', 'arepa', 'function', 'business', 'dispatch', 'restaurant', 'conclude', 'give', 'lunch']

Avant :     Worse customer service and they do not have liquid sweetener for your ice coffee honestly never comi
Après :     ['customer_service', 'sweetener', 'ice', 'coffee', 'come', 'walk', 'starbuck', 'corner']

Avant :     Tried to get cookies at 6:45 when they close at 7:00 and they said they had none left?! Nothing, nad
Après :     ['try', 'cookie', 'say', 'none', 'leave', 'find', 'believe', 'way', 'service', 'ick']

Avant :     Called to order lunch today since we were working in the area. Just wanted some chicken fingers and 
Après :     ['call', 'order', 'lunch_today', 'working', 'area', 'want', 'chicken_finger', 'fry', 'ask', 'meal']

Avant :     Some of the fare on offer at That BBQ Place is wildly overpriced, especially given the fact that rea
Après :     ['offer', 'bbq', 'place', 'overprice', 'give', 'fact', 'table', 'service', 'glassware', 'miss']

Avant :     This is my fourth visit.   It's much improved from our first visit but still not yummy.  The brisket
Après :     ['visit', 'improve', 'visit', 'brisket', 'petrify', 'chewy', 'bun', 'like', 'suppose', 'like']

Avant :     I ordered the Half Rack Ribs with Corn Bread and Mashed Potatoes. Ribs are very chewy and dry. The C
Après :     ['order', 'rack', 'rib', 'corn_bread', 'mash_potato', 'rib', 'chewy', 'corn_bread', 'mash_potato', 'fire']

Avant :     I am so disappointed!  After reading reviews for this place, I was expecting so much!  I ordered the
Après :     ['reading_review', 'place', 'expect', 'order', 'beef', 'brisket', 'know', 'meat', 'look', 'smell']

Avant :     In town for only a day we tried to find a good breakfast.  This place was not crowded, and I needed 
Après :     ['try', 'find', 'breakfast', 'place', 'crowd', 'need', 'coffee', 'fix', 'decide', 'try']

Avant :     Went in during Fiesta at 11 am. The place was less than half full. Sat at the bar and waited...waite
Après :     ['place', 'half', 'bar', 'wait', 'wait', 'wait', 'eye_contact', 'service', 'minute', 'leave']

Avant :     The ambiance is pretty cool here, but I feel like the servers aren't really attentive. I liked the f
Après :     ['ambiance', 'feel', 'server', 'like', 'food', 'ask', 'leftover', 'give', 'check', 'give']

Avant :     This was our 3rd time here and this third time was NOT a charm.  Aside from the outdoor seating, the
Après :     ['time', 'time', 'charm', 'seating', 'rave', 'place', 'table', 'end', 'busboy', 'wait']

Avant :     Potential but SUPER slow today....they actually told the table next to us they didn't have the capac
Après :     ['today', 'tell', 'table', 'capacity', 'serve', 'coffee_refill', 'primo', 'food', 'staff', 'look']

Avant :     Love Portillo's, but this location doesn't cut it. Long wait for food at 2pm on a Wednesday with not
Après :     ['location', 'cut', 'wait', 'food', 'line', 'lose', 'ticket', 'cluster', 'watch', 'work']

Avant :     First experience at this location, food was too soggy and greasy to finish eating, obviously bagged 
Après :     ['experience', 'location', 'food', 'greasy', 'finish', 'eat', 'bag', 'chicken_strip', 'quality', 'tamale']

Avant :     I found this place on Facebook. I love a good Cuban Sandwich so I figured why not try one that is "A
Après :     ['find', 'place', 'facebook', 'love', 'sandwich', 'figure', 'try', 'day', 'sit', 'order']

Avant :     Disappointing and seriously overpriced.

Surprised to find so many good reviews of this place. Maybe
Après :     ['overprice', 'find', 'review', 'place', 'order', 'thing', 'eat', 'thursday', 'bowl', 'husband']

Avant :     Caribbean and Cuban - highly regarded in my book.  I've eaten lots of Cuban food - especially in Mia
Après :     ['regard', 'book', 'eat', 'lot', 'food', 'purport', 'authentico', 'chance', 'service', 'food']

Avant :     Bummer! The sign on the door indicates that they have been evicted! It isn't open and I am very disa
Après :     ['indicate', 'evict', 'want', 'hope']

Avant :     Bad experience!!  There was a large  loud party in the bar when we arrived.  We were told they would
Après :     ['experience', 'party', 'bar', 'arrive', 'tell', 'leave', 'leave', 'tell', 'truth', 'stay']

Avant :     Food: mediocre. I ordered the steak frites "medium well" but it came practically burned and the stea
Après :     ['food', 'mediocre', 'order', 'steak', 'frite', 'come', 'burn', 'steak', 'part', 'size']

Avant :     I hate posting poor reviews but if the reviews are not honest then what good is yelp? Unfortunately 
Après :     ['hate', 'post', 'review', 'review_yelp', 'service', 'hurry', 'lunch', 'lemongrass', 'soup', 'vegetable']

Avant :     I hadn't been here in a while so I thought I would give it a try for lunch. I work nearby so the loc
Après :     ['thought', 'give', 'try', 'lunch', 'work', 'location', 'food', 'lunch', 'portion', 'chicken']

Avant :     I would have tolerated the frozen, square hash browns, discount orange juice, canned corned beef has
Après :     ['tolerate', 'hash_brown', 'discount', 'beef_hash', 'order', 'egg', 'fact', 'see', 'diner', 'staff']

Avant :     Been here long ago after eating at glendale location.  Lots have changed.  More like a pub now inste
Après :     ['eat', 'glendale', 'location', 'lot', 'change', 'pub', 'diner', 'stop', 'degree', 'day']

Avant :     We had a group of eleven and were told, that they would only honor two glasses of free wine "per tab
Après :     ['group', 'tell', 'honor', 'glass_wine', 'table_occupy', 'table', 'put', 'nope', 'glass', 'group']

Avant :     I ordered the duck; my husband ordered the chicken.  Although we were warned it would be a 20 minute
Après :     ['order', 'duck', 'husband', 'order', 'chicken', 'warn', 'minute', 'wait', 'food', 'come']

Avant :     While I love supporting local businesses and it's nice to have an alternative to Whole Foods, I find
Après :     ['love', 'support_business', 'food', 'find', 'place', 'lack', 'quality', 'freshness', 'pre_make', 'vegan']

Avant :     Essene used to be one of my favorite places to get vegan hot bar food, baked goods or other high qua
Après :     ['essene', 'use', 'place', 'vegan', 'bar', 'food', 'bake_good', 'quality', 'vegetable', 'ingredient']

Avant :     I so agree with the other reviews.  The previous owner had a awesome buffet and I would eat there a 
Après :     ['agree', 'review', 'owner', 'buffet', 'eat', 'couple', 'time', 'week']

Avant :     Something happened in the time that I wrote my initial review. Broadway changed their food menu, whi
Après :     ['happen', 'time', 'write_review', 'change', 'food', 'menu', 'limit', 'change', 'staff', 'wait']

Avant :     Place has gone downhill.  This is a newer establishment in Boise based on the Amazing Restaurants th
Après :     ['place', 'establishment', 'boise', 'base', 'restaurant', 'boise', 'problem', 'food', 'bar', 'joke']

Avant :     Wanted to love this place as we just moved from Portland and the Flying Pies are AMAZING. Totally di
Après :     ['want', 'love', 'place', 'move', 'portland', 'fly', 'pie', 'pizza', 'ingredient', 'meh']

Avant :     Confusing menu for first timers. Waited nearly an hour for a 12" cheese pizza after ordering. Try so
Après :     ['menu', 'timer', 'wait', 'hour', 'cheese', 'pizza', 'ordering', 'try', 'hurry']

Avant :     This primos is probably the worst I have ever been to. Primos in general has great quality and delic
Après :     ['quality', 'food', 'primo', 'suck', 'sandwich', 'say']

Avant :     The steak was tough and chewy. The steak sauce was watered down. A1 flavored water is what it looked
Après :     ['steak', 'chewy', 'steak', 'sauce', 'water', 'flavor', 'water', 'look', 'thing', 'morning']

Avant :     This is my local market... But, I will gladly drive the ten minutes to go to the ShopRite in Delran.
Après :     ['market', 'drive', 'minute', 'shoprite', 'delran', 'update', 'locate', 'delran', 'convenience', 'store']

Avant :     I have had Pizza hut before at a different location and I don't remember the service ever being this
Après :     ['pizza_hut', 'location', 'remember', 'service', 'order', 'delivery', 'call', 'time', 'manager', 'come']

Avant :     We always have problems with this Pizza Hut. We ordered two sets of different wings (boneless and tr
Après :     ['problem', 'pizza', 'order', 'set', 'wing', 'boneles', 'zone', 'ngiht', 'arrive', 'minute']

Avant :     I've reached out 3 times to this pizza hut, they did give me a credit,  but they will not take onlin
Après :     ['reach', 'time', 'pizza', 'give', 'credit', 'take', 'price', 'time', 'pizza', 'wing']

Avant :     Right flavor but the mac & cheese was gooey and undercooked. I would not recommend this place as a v
Après :     ['flavor', 'cheese', 'gooey', 'recommend', 'place', 'visitor']

Avant :     Mac and cheese is really tasteless. Not worth the price at all. Got the BBQ Bowl. Dry chicken,  chew
Après :     ['cheese', 'price', 'chicken', 'chewy', 'macaroni', 'soggy', 'cornbread']

Avant :     I've never even had the food truck, but I can tell they made absolutely no changes. The food isn't e
Après :     ['food', 'truck', 'tell', 'make', 'change', 'food', 'brick', 'mortar', 'restaurant', 'taste']

Avant :     We ordered two different variety and both were semi dry ( although description says creamy).  No cru
Après :     ['order', 'variety', 'semi', 'description', 'say', 'cheese', 'pre_make', 'topping']

Avant :     I so wanted to love this place. I've never been so disappointed in Mac and cheese. It was so al dent
Après :     ['want', 'love', 'place', 'disappoint', 'cheese', 'chewy', 'eat', 'assume', 'serve', 'take']

Avant :     I really really wanted to like this place but didn't. The chicken wasn't great and not such a wide m
Après :     ['want', 'place', 'chicken', 'menu', 'staff', 'place', 'food']

Avant :     Okay food. The biscuits are good. Be warned! They will try and trick you into ordering extra sauces 
Après :     ['food', 'biscuit', 'good', 'warn', 'try', 'trick', 'order', 'sauce', 'spread', 'bit']

Avant :     Tried wishbone after a coworker mentioned they were at a networking event, I assume not catering as 
Après :     ['try', 'wishbone', 'coworker', 'mention', 'networking', 'event', 'assume', 'cater', 'food', 'underwhelme']

Avant :     Ive eaten here many times and really enjoyed the food but they ust have changed hands or something  
Après :     ['eat', 'time', 'enjoy', 'food', 'change', 'hand', 'salad', 'soggy', 'take', 'chicken']

Avant :     Ordered through uber eats . I didn't receive my sauce or the chips I ordered. The 4 wings I did rece
Après :     ['order', 'uber_eat', 'receive', 'sauce', 'chip', 'order', 'wing', 'receive', 'bread', 'fan']

Avant :     Their Mac n cheese sucks because it's not
Mac n cheese and they didn't warn me. It has meat in it an
Après :     ['cheese', 'suck', 'cheese', 'warn', 'meat', 'taste', 'cheese', 'recommend', 'want']

Avant :     Perhaps when a nut allergic patron asks about getting a sandwich without the curry peanut sauce, the
Après :     ['patron', 'ask', 'sandwich', 'owner', 'educate', 'staff', 'say', 'sauce']

Avant :     I had the BLT which was a beautiful sandwich. But, it was ruined by the tomato. What was supposed to
Après :     ['sandwich', 'ruin', 'tomato', 'suppose', 'tomato', 'ice', 'mess', 'disintegrate', 'roll', 'moisture']

Avant :     Over Priced.   We enjoyed the atmosphere and food but felt the overall cost was approx. 25% higher t
Après :     ['price', 'enjoy', 'atmosphere', 'food', 'feel', 'cost', 'approx', 'restaurant', 'town']

Avant :     I mean the food is good as always, but the service is absolutely horrible. The staff at this locatio
Après :     ['food', 'service', 'staff', 'location', 'staff', 'deal', 'take_min', 'come', 'window', 'take']

Avant :     Its a local bar that if you like slow service and bartenders that just cuss like sailors then go her
Après :     ['bar', 'service', 'bartender', 'sailor', 'bar', 'food', 'cook', 'love']

Avant :     Horrible customer service! The employees here seem to hate life cause they don't smile and have a ve
Après :     ['customer_service', 'employee', 'seem', 'hate', 'life', 'cause', 'smile', 'attitude', 'customer', 'line']

Avant :     We ate here last night and have eaten here often over the past few years. It has been such a negativ
Après :     ['eat', 'night', 'eat', 'year', 'time', 'restaurant', 'none', 'table', 'staff', 'guy']

Avant :     The staff here on multiple occasions has had their hands (no gloves) in the chips eating right out o
Après :     ['staff', 'occasion', 'hand', 'glove', 'chip', 'eat', 'chip', 'freak', 'gross']

Avant :     Okay food, but extremely dirty!! Always ask employees to wipe down tables and booths!
Après :     ['food', 'ask', 'employee', 'wipe', 'table', 'booth']

Avant :     Twice I've came here and witnessed workers with non gloved hands eating tortilla chip right out of t
Après :     ['come', 'witness', 'worker', 'hand', 'eat', 'tortilla_chip', 'chip', 'tub', 'counter', 'time']

Avant :     While I love Chipotle for their fresh and healthy ingredients, this location consistently disappoint
Après :     ['love', 'chipotle', 'ingredient', 'location', 'disappoint', 'cleanliness', 'table', 'floor', 'trash', 'employee']

Avant :     I wish I could rate this Little Caesars on their pizzas, but I can't. I have stopped by several time
Après :     ['wish', 'rate', 'caesar', 'pizza', 'stop', 'time', 'couple_month', 'pizza', 'order', 'lunch']

Avant :     My mom made a reservation for this past Saturday for my stepdad's 65th birthday celebration.   The r
Après :     ['mom', 'make_reservation', 'birthday', 'celebration', 'reservation', 'make', 'texte', 'day', 'confirm_reservation', 'restaurant']

Avant :     The veggies were boiled. Boiled! There was too much balsamic syrup on the not fresh fish - to mask t
Après :     ['veggie', 'boil', 'boil', 'syrup', 'fish', 'mask', 'fish']

Avant :     Honestly, I don't know what all the hype is about. I went with a friend for lunch and ordered the lo
Après :     ['know', 'hype', 'friend', 'lunch', 'order', 'meat', 'rubbery', 'order', 'lobster', 'bisque']

Avant :     Clam chowder tasted like it was from a can, old crab meat and re-cooked corn on the cob. Oh, and dir
Après :     ['taste', 'crab', 'meat', 'cook', 'corn', 'cob', 'bathroom']

Avant :     Overpriced and average food. 

The lobster chowder tastes like flower blended with salt and a little
Après :     ['overprice', 'food', 'lobster', 'chowder', 'taste', 'flower', 'blend', 'salt', 'bit', 'meat']

Avant :     The crab cakes are more cake than crab which is disappointing. They are also served with honey musta
Après :     ['crab_cake', 'cake', 'crab', 'disappointing', 'serve', 'honey', 'mustard', 'bit', 'make', 'way']

Avant :     We bought a groupon. We were told to pick 5 items out of the freezer. Everything looked freezer burn
Après :     ['buy', 'groupon', 'tell', 'pick', 'item', 'freezer', 'look', 'freezer_burn', 'right', 'end_throw']

Avant :     We were really looking forward to trying this place because of the New England seafood choices but w
Après :     ['look', 'try', 'place', 'choice', 'letdown', 'pay', 'lobster', 'dish', 'meat', 'tail']

Avant :     I am disappointed with the turkey sub.  It tastes like cheap lunch meat.  I could have made this sub
Après :     ['turkey', 'sub', 'taste', 'lunch', 'meat', 'make', 'sub', 'place', 'lose', 'star']

Avant :     Recently found a loooong blonde hair in my sandwich. After 2 bites. Couldn't finish. They didn't eve
Après :     ['find_hair', 'sandwich', 'bite', 'finish', 'offer', 'money', 'want', 'make', 'sandwich', 'eat']

Avant :     Has always been a favorite, BUT, got a couple of bad sandwiches last week.  Bread was dry and not as
Après :     ['couple', 'sandwich', 'week', 'bread', 'dry', 'meat', 'order', 'discover', 'travesty', 'tell']

Avant :     what happened? this was the supreme Sami stop.. now the bread is super dry, I have to ask for sprout
Après :     ['happen', 'stop', 'bread', 'time', 'order', 'crew', 'act', 'order', 'watch', 'lose']

Avant :     Just finshed lunch buffet at this restaurant. Most of the trays are empty  and no one bothers to fil
Après :     ['finshe', 'lunch_buffet', 'tray', 'bother', 'fill', 'service', 'food', 'heat', 'understand']

Avant :     We did not get a good experience from the start. The moment we walked in, the manager greeted us in 
Après :     ['experience', 'start', 'moment', 'walk', 'manager', 'greet', 'style', 'buffet', 'food', 'restaurant']

Avant :     Meh. I think maybe Tampa bay just doesn't have great indian food? Is that why there's such good revi
Après :     ['think', 'review', 'lunch', 'impress']

Avant :     I had the Buffett and every single item was cold.  The flavor had very little resemblance to authent
Après :     ['item', 'flavor', 'resemblance', 'food', 'chicken_tikka', 'thing', 'make', 'taste', 'leather', 'soak']

Avant :     Get ready to have some stale food with sad faces. The food served is of poor quality and seem like i
Après :     ['food', 'face', 'food', 'serve', 'quality', 'seem', 'cook', 'host', 'welcome', 'suggest']

Avant :     We took lunch buffet.... Only the nun was good, else were not at all tasty.... There were not so man
Après :     ['take', 'lunch', 'item', 'expect', 'say', 'deserve_star']

Avant :     Summary: Unfriendly server/host, frozen vegetables used and sub-par tikki masala sauce. Naan was exc
Après :     ['summary', 'server', 'host', 'freeze', 'vegetable', 'use', 'sub_par', 'host', 'seem', 'borderline']

Avant :     Lunch buffet is gross and has not much variety. Chicken tikka masala is Campbell's tomato soup base.
Après :     ['lunch', 'variety', 'chicken_tikka', 'soup', 'base', 'replenish', 'buffet', 'dumping', 'bowl', 'refill']

Avant :     Average at best. Had the ramen, it was alright. Service was good. Will not go back though.
Après :     ['raman', 'service']

Avant :     Service was terrible.  Our server came with our drinks and never came back.  No management to addres
Après :     ['service', 'server', 'come', 'drink', 'come', 'management', 'address', 'issue']

Avant :     we grew up going to spiro's and the last time i was there we left so disappointed. some of our food 
Après :     ['grow', 'spiro', 'time', 'leave', 'food', 'come', 'side', 'bill', 'come', 'try']

Avant :     Authentic Greek food is not to be found here.  When we moved to St Louis, one of the first things we
Après :     ['food', 'find', 'move', 'thing', 'look', 'restaurant', 'dish', 'moment', 'step', 'establishment']

Avant :     This was so disappointing. I love Chick fil A. My son even works at the Avon location, which is fabu
Après :     ['love', 'chick', 'son', 'work', 'location', 'try', 'order', 'time', 'week', 'receive']

Avant :     Usually great but today's visit missed the mark. My biscuit was cold, dry and hard.  The cashier was
Après :     ['today', 'visit', 'miss_mark', 'biscuit', 'cashier', 'drive', 'service', 'morning', 'hope', 'exception']

Avant :     The most disappointing Chik Fil A experience I have ever had. Typically they have a very eager servi
Après :     ['chik', 'fil', 'experience', 'service', 'team', 'set', 'location', 'account', 'manager', 'express']

Avant :     Good grief, what a mess. I rarely do bad Yelp reviews and try to offer benefit of the doubt... But t
Après :     ['grief', 'mess', 'yelp_review', 'try', 'offer', 'benefit_doubt', 'staff', 'need', 'lesson', 'listen']

Avant :     Burger was OK, but not at all worth the price. I felt cramped sitting at the long table surrounded b
Après :     ['price', 'feel', 'cramp', 'sit', 'table', 'surround', 'people', 'know', 'service', 'bring']

Avant :     Took 45 minutes to get the order. Everyone that came in after seemed to get their food before us. Bo
Après :     ['take', 'minute', 'order', 'come', 'seem', 'food', 'ring', 'feel', 'chew', 'rubber']

Avant :     We tried to go here on a Sunday night before a concert.  Got there at 6:30 were on the no wait app. 
Après :     ['try', 'night', 'concert', 'wait', 'app', 'say', 'minute', 'leave', 'seat', 'tell']

Avant :     I am a burger lover! This place was recommended on MSN as a great burger joint. They got it wrong!  
Après :     ['recommend', 'msn', 'burger', 'joint', 'order', 'burger', 'table', 'burger', 'price', 'fry']

Avant :     I was not impressed with much here. Ordered the Longhorn and fries. Firstly they two beers that my f
Après :     ['impress', 'order', 'fry', 'beer', 'friend', 'want', 'try', 'serve', 'room_temperature', 'water']

Avant :     Definitely the worst place I've had the pleasure of visiting. We literally waited an hour and a half
Après :     ['place', 'pleasure', 'visit', 'wait', 'hour', 'food', 'reach', 'table', 'food', 'burger']

Avant :     First in the Baileys family of restraunts we weren't head over heels about. Hostesses not welcoming/
Après :     ['family', 'restraunt', 'head', 'heel', 'hostess', 'welcome', 'gourmet', 'burger', 'burger', 'say']

Avant :     I am completely unimpressed. For starters we ordered the smoked onion rings which turned out to be o
Après :     ['starter', 'order', 'smoke', 'onion_ring', 'turn', 'bread', 'grease', 'sponge', 'wife', 'find']

Avant :     I'm super sensitive about restaurant hygiene.  I can't stand sweaty bartenders/servers.  Bit my lady
Après :     ['restaurant', 'hygiene', 'stand', 'sweaty', 'bartender', 'server', 'friend', 'touch', 'drink', 'food']

Avant :     I really like this place the burgers are great, a little small but very good. The beer selection is 
Après :     ['place', 'burger', 'beer_selection', 'say', 'problem', 'burger', 'fry', 'food', 'justify', 'price']

Avant :     Unfortunately, I was rather let down! Food was mediocre at best, service was deplorable, and it had 
Après :     ['let', 'food', 'mediocre', 'service', 'bit', 'feel', 'atmosphere', 'disappoint']

Avant :     Once again, not sure what all of the fuss is about. I visited here with one of my close friends abou
Après :     ['fuss', 'visit', 'friend', 'week', 'service', 'ignore', 'minute', 'seat', 'move', 'restaurant']

Avant :     The worst experience ever!  We went in and we had been to an event earlier in the day. We were quiet
Après :     ['experience', 'event', 'day', 'decide', 'seem', 'neighbor', 'language', 'comment', 'use', 'management']

Avant :     No Wait App said 25-40 minutes. Noticed no food on any tables & asked why not seated after an hour..
Après :     ['wait', 'say', 'minute', 'notice', 'food', 'table', 'ask', 'hour', 'bailey', 'allow']

Avant :     Not a fan. This eatery likes to take originals and put a spin on them. Just not my style.
Après :     ['fan', 'eatery', 'like', 'take', 'original', 'put', 'spin', 'style']

Avant :     We were very disappointed! Reviews rated Baileys best burger in the Lou. This was NOT our experience
Après :     ['review', 'rate', 'bailey', 'experience', 'matchmeat', 'highlight', 'fry', 'fry', 'sheila', 'server']

Avant :     Came here with a group of friends on a Friday night. The restaurant wasn't very busy, yet our server
Après :     ['come', 'group', 'friend', 'night', 'restaurant', 'server', 'manage', 'order', 'try', 'request']

Avant :     Loud and expensive for subpar tasting food. But the wait staff was nice! The burger meat tastes stra
Après :     ['subpar', 'taste', 'food', 'wait', 'staff', 'taste', 'season', 'ground_beef', 'make', 'ice_cream']

Avant :     I had such high expectations.  I've been to the Chocolate Bar and Roosters, and both of those were o
Après :     ['expectation', 'chocolate', 'bar', 'rooster', 'order', 'think', 'cheese', 'make', 'burger', 'add']

Avant :     The food is meh but not worth the price. I now just go at night when I feel like eating some ice cre
Après :     ['food', 'meh', 'price', 'night', 'feel', 'eat', 'ice_cream', 'average', 'star', 'tonight']

Avant :     Stopped by for a late lunch today around 1:30pm to miss all of the crowds from the convention downto
Après :     ['stop_lunch', 'today', 'miss', 'crowd', 'downtown', 'tell', 'service', 'bar', 'experience', 'staff']

Avant :     So overall the food is okay, but I have major issues with pre-cooked burgers & fries at a burger res
Après :     ['food', 'issue', 'pre', 'burger', 'fry', 'burger', 'fry', 'cook', 'order', 'make']

Avant :     Not much to be impressed with here.  My burger was overcooked and lacked flavor. Not sue what all th
Après :     ['burger', 'overcook', 'lack_flavor', 'sue', 'hype']

Avant :     Been three times now and while the decor, sodas and service are great the food underwhelms and disap
Après :     ['time', 'service', 'food', 'underwhelm', 'disappoint', 'restaurant', 'appetizer', 'serve', 'entree', 'br']

Avant :     Before trying this restaurant , everything in me wanted to give this restaurant 4 or 5 stars based o
Après :     ['try', 'restaurant', 'want', 'give', 'restaurant', 'star', 'base', 'picture', 'review', 'unkind']

Avant :     I was really excited to try this restaurant. I heard they made everything from scratch including bun
Après :     ['excite', 'try', 'restaurant', 'hear', 'make', 'scratch', 'include', 'bun', 'condiment', 'try']

Avant :     The burger was pretty good (i.e. average) but I still can't get over the absolutely pretentious lack
Après :     ['average', 'lack', 'ketchup', 'reason', 'company', 'millionaire', 'shame', 'ketchup', 'idea', 'eat']

Avant :     My friend and I both ordered a burger and a shake. The food was decent, but portions were small. App
Après :     ['friend', 'order', 'shake', 'food', 'portion', 'order', 'food_poison', 'experience']

Avant :     Should be 2.5 stars. The menu sounds amazing, but this places is hot as ballz and I don't mean in a 
Après :     ['star', 'menu', 'sound', 'place', 'mean', 'way', 'sweat', 'ass', 'food', 'flavor']

Avant :     Shakes are best part of expensive meal.  The giant onion rings were bitter because they are not cook
Après :     ['shake', 'part', 'meal', 'onion_ring', 'cook', 'sweeten', 'onion', 'burger', 'overprice', 'wife']

Avant :     I walked in with my husband on a Friday afternoon after the auto show. I was so excited to experienc
Après :     ['walk', 'husband', 'afternoon', 'auto', 'show', 'excite', 'experience', 'order', 'blgt', 'chip']

Avant :     Small portions. Overpriced. Bad service. Healthy vibe with unhealthy food choices. As humid inside a
Après :     ['portion', 'overprice', 'service', 'vibe', 'food', 'choice', 'humid', 'climate', 'owner', 'establishment']

Avant :     Li'l Dizzy's has all the hallmarks of a New Orleans must-try- really popular, great reviews, covered
Après :     ['try', 'review', 'cover', 'art', 'visit', 'acknowledge', 'president', 'celebrity', 'idea', 'service']

Avant :     We were really disappointed. Slow service, jambalaya omelet was just ok, cornbread was cold, and the
Après :     ['disappoint', 'service', 'omelet', 'cornbread', 'price', 'location', 'return']

Avant :     I went about 1pm Monday and had the buffet. Fried chicken was solid but wouldnt return just for it. 
Après :     ['fry', 'return', 'bean_rice', 'gumbo', 'bread_pudding', 'miss', 'lot', 'ingredient', 'fruit', 'cocktail']

Avant :     The other reviews on here are misleading. This is truly a greasy spoon.  The plates for the buffet w
Après :     ['review', 'mislead', 'spoon', 'plate', 'buffet', 'wet', 'look', 'food']

Avant :     I've been to this place many times over the past 10 years. I took a years break, hoping to return to
Après :     ['place', 'time', 'year', 'take', 'year', 'break', 'hope', 'return', 'find', 'food']

Avant :     What a disappointment... the service is not optimized, waiters NOT friendly. And the food, well aver
Après :     ['disappointment', 'service', 'optimize', 'waiter', 'food', 'junky', 'food', 'base_review', 'try', 'toast']

Avant :     Some people on here say the lunch buffet is the best deal, like, ever. I say I paid $35 for two + a 
Après :     ['people', 'say', 'lunch_buffet', 'deal', 'say', 'pay', 'tip', 'approach', 'buffet', 'see']

Avant :     This place was advertising that it was open until 8PM so my wife and I decided to walk over from our
Après :     ['place', 'advertising', 'wife', 'decide', 'walk', 'bnb', 'desert', 'arrive', 'door_lock', 'man']

Avant :     Being fresh was about the only good thing about my chicken teriyaki here. It tasted like something I
Après :     ['thing', 'chicken', 'teriyaki', 'taste', 'food', 'court', 'mall', 'way', 'price', 'broccoli']

Avant :     Soy Bistro Food was not good, I ordered pork bulgogi with spicy fried rice. The rice was undercooked
Après :     ['soy', 'bistro', 'food', 'order', 'pork', 'fry_rice', 'rice', 'undercooke', 'bulgogi', 'stain']

Avant :     My husband and I went here right before they were closing because we were in the neighborhood and ne
Après :     ['husband', 'close', 'neighborhood', 'need', 'item', 'recipe', 'plan', 'make', 'day', 'food']

Avant :     Its good, not great.
Just not my favorite tasting chinese.
The lunch combos are a good deal. They co
Après :     ['taste', 'lunch', 'combo', 'deal', 'come', 'soup', 'egg_roll', 'general', 'chicken', 'sesame']

Avant :     Good but not great; average I would say. A little hole in the wall...service was good.
Après :     ['average', 'say', 'hole', 'good']

Avant :     Pictures are deceiving on Yelp - portions are small and menu items include very few veggies. We orde
Après :     ['picture', 'deceive', 'yelp', 'portion', 'menu_item', 'include', 'veggie', 'order', 'piece', 'broccoli']

Avant :     Ignorant bartender. Took forever for him to wait on you at a table on a Sunday afternoon, not even d
Après :     ['bartender', 'take', 'wait', 'table', 'afternoon', 'football', 'season', 'lesson_learn', 'bartender', 'wait']

Avant :     First and last experience with this place. The chicken pesto pizza was inedible. The shredded chicke
Après :     ['experience', 'place', 'chicken', 'pesto', 'pizza', 'chicken', 'way', 'cat', 'food', 'crust']

Avant :     Sub quality pub food. Nachos were disgusting. Booths were dirty and waitress was rude. It's a shame 
Après :     ['sub', 'quality', 'pub', 'food', 'booth', 'waitress', 'shame', 'great', 'spot', 'love']

Avant :     Ate here tonight.  Took over 30 minutes to get a personal pan pizza and a tuna hoagie.  Waitress did
Après :     ['eat', 'tonight', 'take', 'minute', 'waitress', 'order', 'question', 'forgot_put', 'fact', 'minute']

Avant :     If I could give this place negative 5 stars I would. Absolutely the worst steakhouse in Philadelphia
Après :     ['give', 'place', 'star', 'steakhouse', 'steak', 'come', 'time', 'ask', 'manager', 'tell']

Avant :     I came here for a date thinking that this place would be classy and decent enough for that occasion.
Après :     ['come', 'date', 'thinking', 'place', 'classy', 'occasion', 'disappoint', 'server', 'rush', 'serve']

Avant :     The general manager is incredibly rude and disrespectful. The food was subpar and extremely overpric
Après :     ['manager', 'food', 'overprice', 'server', 'work', 'appreciate']

Avant :     Over priced and full of old men who think they were Tony Soprano in their past lives. No Thanks.
Après :     ['price', 'man', 'think', 'soprano', 'past', 'live', 'thank']

Avant :     I saw 3 mice scurry accross the floor. Told my server and never got an apology and the manager never
Après :     ['see', 'mouse', 'scurry', 'tell', 'server', 'apology', 'manager', 'come', 'server']

Avant :     Cashier Tanya was rude. I asked for pepperoni pizza, she said we don't have any. I said that's okay 
Après :     ['ask', 'pepperoni', 'pizza', 'say', 'say', 'wait', 'make', 'seem', 'perturb', 'take']

Avant :     Had the spinach pocket. 

It was more like eating cardboard. 

I tossed it in the trash after 2 bite
Après :     ['spinach', 'pocket', 'eat', 'cardboard', 'toss', 'trash', 'bite', 'waste', 'avoid', 'place']

Avant :     They only had one person behind the counter and the service was horrible.  I waited in line 20 minut
Après :     ['person', 'counter', 'service', 'wait_line', 'minute', 'pasta', 'counter', 'tell', 'pasta', 'people']

Avant :     If I could give zero stars that would be too many. I was told 25-30 and still no pizza 2 hours later
Après :     ['give_star', 'tell', 'pizza', 'hour', 'pizza', 'service', 'experience', 'year', 'order', 'pizza']

Avant :     So I've tried this place a couple times before I decided to write review. In a scale of 1-5 I give t
Après :     ['try', 'place', 'couple', 'time', 'decide', 'write_review', 'scale', 'give', 'food', 'guess']

Avant :     I had the Cuban sandwich and was disappointed. The sandwich came with lettuce, tomato and mayo which
Après :     ['sandwich', 'disappoint', 'sandwich', 'come', 'lettuce_tomato', 'mayo', 'pork_sandwich', 'salami', 'sandwich', 'papa']

Avant :     Stopped in for dinner alone while taking a break from work.  Ordered wings for an appitizer and fish
Après :     ['stop', 'dinner', 'take', 'break', 'work', 'order', 'wing', 'fish', 'wing', 'cook']

Avant :     My family decided to try J.B. Dawson's again for my Grandfather's birthday. Let me tell you it was a
Après :     ['family', 'decide', 'try', 'dawson', 'birthday', 'let', 'tell', 'experience', 'pull_pork', 'taste']

Avant :     I got the prime rib, it was okay. Nothing to write home about. I've definitely had a bigger piece of
Après :     ['rib', 'write', 'piece', 'rib', 'place', 'potato', 'taste', 'potato', 'ceasar', 'salad']

Avant :     Nice atmosphere, staff is fairly friendly but be very very cautious. I ordered the half chicken meal
Après :     ['atmosphere', 'staff', 'order', 'chicken', 'meal', 'seem', 'come', 'blood', 'bone', 'try']

Avant :     Such a shame because I really liked their food. However if I call to make a reservation and the girl
Après :     ['shame', 'like', 'food', 'call', 'make_reservation', 'girl', 'say', 'need', 'reservation', 'point']

Avant :     Worst food and even worse service.They messed up a Caesar salad and can't cook a steak. Still charge
Après :     ['food', 'service', 'mess', 'cook', 'steak', 'charge', 'tea', 'premium', 'site', 'upgrade']

Avant :     I have always enjoyed Raising Cane's and the customer service I received so you can image my excitem
Après :     ['enjoy', 'raise', 'customer_service', 'receive', 'image', 'excitement', 'find', 'open', 'customer_service', 'receive']

Avant :     Wish I had read the reviews before we stopped for dinner.  When we arrived there were only two other
Après :     ['wish', 'read_review', 'stop', 'dinner', 'arrive', 'table', 'patron', 'people', 'bar', 'take']

Avant :     This place sucks
Worse than Shenanigans

Food.....so so
Service.....Horrible
Management.....Clueless
Après :     ['place', 'suck', 'shenanigan', 'food', 'service', 'management', 'clueless', 'owner', 'garbage']

Avant :     Wow! Not sure that I could add much more to what has been voiced in the prior reviews. I hear that t
Après :     ['add', 'voice', 'review', 'hear', 'brunch', 'experience', 'dining', 'dinner', 'recap', 'food']

Avant :     Nice, relaxed atmosphere. There is a pretty fun concert space upstairs, a bar/restaurant area downst
Après :     ['atmosphere', 'concert', 'space', 'upstairs', 'bar', 'restaurant', 'area', 'seat', 'area', 'drink']

Avant :     Typically this was my favorite place for brunch. Anytime friends visit me - I'm adamant about coming
Après :     ['place', 'brunch', 'friend', 'visit', 'come', 'visit', 'say', 'level', 'service', 'receive']

Avant :     Your venue is ridiculous. Too many people let on and crappy acoustics.  Maybe I would love it if I w
Après :     ['venue', 'people', 'let', 'acoustic', 'love']

Avant :     Stopped by for drink and basically greeted by 3 hipster bartenders who made me wait 5 minutes to ord
Après :     ['stop', 'drink', 'greet', 'bartender', 'make', 'wait_minute', 'order', 'bar', 'order', 'beer']

Avant :     I went to bourbon and branch last night, on a Sunday.  Although it was busy it wasn't crazy.  My fri
Après :     ['bourbon', 'branch', 'night', 'friend', 'wait', 'hour', 'table', 'server', 'offer', 'water']

Avant :     So, this place is just like Liberties, but way more expensive? Am I getting this right? Just because
Après :     ['place', 'liberty', 'add', 'sign', 'add', 'drink', 'menu', 'mean', 'hip', 'bar']

Avant :     I ordered off of Grubhub. Called because my order was not delivered during the time range I was give
Après :     ['order', 'call', 'order', 'deliver', 'time', 'range', 'give', 'guy', 'phone', 'rude']

Avant :     Stopped for a meal. First and last visit. Huge cockroach crawled out from under our table as we were
Après :     ['stop', 'meal', 'visit', 'cockroach', 'crawl', 'table', 'eat', 'keep', 'think', 'walk']

Avant :     Ok, so DQ's food is pretty on point for fast food but there service just straight up stinks.  I orde
Après :     ['food', 'point', 'food', 'service', 'stink', 'order', 'chicken_finger', 'ask', 'make', 'combo']

Avant :     This locations leaves something to be desired. 
Long wait times & no strawberry cones leaving my two
Après :     ['location', 'leave_desire', 'wait', 'time', 'strawberry', 'cone', 'leave', 'year', 'daughter', 'twistee']

Avant :     So we are lucky the we have had a few but one gets free blizzard! Actually very cool! But the last t
Après :     ['blizzard', 'time', 'come', 'store', 'order', 'blizzard', 'reg', 'work', 'customer_service', 'thought']

Avant :     My receipt show I paid at 11:04 for a burger and fries.  It's 11:17 and no sign of them yet!
Après :     ['pay', 'burger', 'fry', 'sign']

Avant :     I went inside for a couple minutes and I couldn't stay due to the awful smell ;/ yuckkkkkkkk my clot
Après :     ['couple', 'minute', 'stay', 'smell', 'yuckkkkkkkk', 'clothe', 'skin', 'hair', 'smell', 'fry']

Avant :     I've been very much looking forward to the re-opening of Farmer Boy (knowing how much I like the oth
Après :     ['look', 'open', 'farmer', 'boy', 'know', 'restaurant', 'owner', 'visit', 'morning', 'disappointment']

Avant :     I really want to like this place and when I went within two weeks of it opening I had a fabulous bre
Après :     ['want', 'place', 'week', 'open', 'breakfast', 'complain', 'potato', 'seem', 'come', 'week']

Avant :     It tastes like Denny's who cares if it looks like a old diner. Minute Maid orange juice was lacking 
Après :     ['taste', 'denny', 'care', 'look', 'diner', 'minute', 'maid', 'lack', 'restaurant', 'breakfast']

Avant :     Smitty's is a pretty terrible. The whole experience is.

The food is not good, lacks flavor and the 
Après :     ['experience', 'food', 'lack_flavor', 'bit', 'flavor', 'make', 'wish', 'none', 'food', 'way']

Avant :     This is a tough one to write.  When I first noticed them two years a go, the food was phenomenal. Th
Après :     ['write', 'notice', 'year', 'food', 'deliver', 'people', 'office', 'food', 'inconsistent', 'start']

Avant :     "No Bueno"!! I was extremely unsatisfied, This place is over priced and the food was cold.
Après :     ['bueno', 'place', 'price', 'food']

Avant :     The food was cold and the drinks tasted weird. I believe it is overpriced it's all you can eat buffe
Après :     ['food', 'drink', 'taste', 'believe', 'overprice', 'eat', 'buffet', 'plate', 'pay', 'price']

Avant :     Delivery - Not bad. Pizza arrived hot and tasted pretty decent. 

Eat In - You'll ask yourself at le
Après :     ['delivery', 'pizza', 'arrive', 'taste', 'eat', 'ask', 'time', 'smell', 'carpet', 'happen']

Avant :     Nice looking location! Unfortunately, they have only been open less than a month and I've already go
Après :     ['look', 'location', 'month', 'attitude', 'ride', 'service', 'want', 'deal', 'morning', 'close']

Avant :     I ordered 2 pizzas and only one showed up.   When I called the guy just said"not sure how that could
Après :     ['order', 'pizza', 'show', 'call', 'guy', 'say', 'happen', 'minute', 'send', 'nd']

Avant :     It's always something when the food is good customer service is horrible. When they get the service 
Après :     ['food', 'customer_service', 'service', 'leave', 'order', 'location', 'food', 'say', 'leave', 'sauce']

Avant :     Two times in a row we waited over an hour for our delivery. The first time, they forgot our mozzarel
Après :     ['time', 'row', 'wait', 'hour', 'delivery', 'time', 'stick', 'claim', 'bring', 'delivery_driver']

Avant :     Terrible service ! They delivered me the wrong pizza and did not even bother to apologize for the in
Après :     ['service', 'deliver', 'pizza', 'bother', 'apologize', 'inconvenience', 'wait_minute', 'return', 'pizza', 'send']

Avant :     I have had a previous problem with them before but a cashier corrected my problem and now am satisfi
Après :     ['problem', 'cashier', 'correct', 'problem', 'say', 'listen', 'customer', 'order', 'rush', 'phone']

Avant :     Avoid at all cost! It's not worth the hassle. Seriously, you're better off making a pizza at home. I
Après :     ['avoid_cost', 'hassle', 'make', 'pizza', 'home', 'convince', 'store', 'level', 'hade', 'order']

Avant :     Atmosphere/restaurant style dated.  I ordered single slices and service was mediocre at best.  Pizza
Après :     ['atmosphere', 'restaurant', 'style', 'date', 'order', 'slice', 'service', 'pizza', 'sitting', 'know']

Avant :     Co worker and I visited the location near Providence Rd in Brandon on today. Normally our experience
Après :     ['worker', 'visit', 'location', 'providence', 'rd', 'today', 'experience', 'today', 'order', 'want']

Avant :     This place was disgusting! We used to eat here quite a bit but it sure has gone downhill fast! The p
Après :     ['place', 'use', 'eat', 'bit', 'place', 'garbage', 'overflow', 'garbage', 'leave', 'table']

Avant :     It's truly a shame because this place would actually be better if the people running it were more ef
Après :     ['shame', 'place', 'people', 'run', 'lady', 'take', 'order', 'mess', 'manager', 'apology']

Avant :     I always come here and I'm extremely disappointed with the way everything is. I been waiting for my 
Après :     ['come', 'way', 'wait', 'food', 'minute', 'say', 'tell', 'tell', 'minute', 'minute']

Avant :     We walked in and several tables were dirty, not to mention it felt rather humid inside. I mean I get
Après :     ['walk', 'table', 'mention', 'feel', 'place', 'want', 'feel', 'humidity', 'lol', 'order']

Avant :     Clean but they are slow and cashier doesn't know anything portions on churasco are tiny.
Après :     ['clean', 'cashier', 'know', 'portion']

Avant :     Terrible service!!! 20 minute and no food yet.  Everyone around us is getting food but us. Servers o
Après :     ['service', 'minute', 'food', 'food', 'server', 'cell_phone']

Avant :     This is by far the worst experience I've had with Hardee's at this location. I ordered three burgers
Après :     ['experience', 'hardee', 'location', 'order', 'burger', 'fry', 'order', 'fry', 'burn', 'fill']

Avant :     I give this Hardees red burrito the lowest possible rating. I have had bad experiences here before b
Après :     ['give', 'rating', 'experience', 'time', 'breakfast', 'sandwich', 'call', 'reply', 'cook', 'breakfast']

Avant :     We have been going here for food and beer for a while, but will no longer bring our business to Pasq
Après :     ['food', 'beer', 'bring', 'business', 'owner', 'allow', 'group', 'day', 'worker', 'take']

Avant :     People seem to love this place for its beer selection.  The two times I've been in here I've been sk
Après :     ['people', 'seem', 'love', 'place', 'beer_selection', 'time', 'skeeve', 'time', 'swear', 'dress']

Avant :     Ordered a bacon cheeseburger from here earlier today. First off, it was $10 including the cost of a 
Après :     ['order', 'bacon', 'cheeseburger', 'today', 'include', 'cost', 'side', 'fry', 'care', 'food']

Avant :     Spoke to owner on phone, I was struggling to find a menu online. He pointed me to grubhub to find th
Après :     ['speak', 'owner', 'phone', 'struggle', 'find', 'menu', 'find', 'menu', 'order', 'chicken']

Avant :     Grabbed some pizza here once, it sucked, the people seemed nice, the booze seems to be the main focu
Après :     ['grab', 'pizza', 'suck', 'people', 'seem', 'booze', 'seem', 'focus', 'selection', 'star']

Avant :     I think I was here on an off day. The famous bread pudding had curdled, and our bread and a couple o
Après :     ['think', 'day', 'bread', 'pudde', 'curdle', 'bread', 'couple', 'entree', 'service', 'staff']

Avant :     I usually go to Petra Express in New Tampa but thought I would try this place since I was in the nei
Après :     ['thought', 'try', 'place', 'neighborhood', 'think', 'food', 'express', 'crispy', 'fry', 'fry']

Avant :     Good food. Worst service. Two people came after me got out before me. The food came out later and ha
Après :     ['food', 'service', 'people', 'come', 'food', 'come', 'ask', 'woman', 'give', 'food']

Avant :     Two stars because the food is good. They lost three stars because the delivery guy is a greedy, enti
Après :     ['star', 'food', 'good', 'lose', 'star', 'delivery_guy', 'entitle', 'bastard', 'beg', 'tip']

Avant :     I had a terrible experience here, as I am a vegetarian the choices were very limited and the server 
Après :     ['experience', 'choice', 'server', 'cater', 'topping', 'spring', 'mix', 'say', 'cost', 'sauce']

Avant :     Two stars because they took twenty minutes to get 2 burgers out and then another 8 for nachos.... Th
Après :     ['star', 'take', 'minute', 'burger', 'nachos', 'taco', 'adult', 'party', 'people', 'come']

Avant :     This is place is great for bad Thai. Not sure what these reviews are about. I ordered a simple clear
Après :     ['place', 'review', 'order', 'noodle', 'dish', 'husband', 'order', 'fry_rice', 'dish', 'rice']

Avant :     Yucky!! Smelled bad in there. Had a dirty feel to the place. All the surfaces were sticky. The Thai 
Après :     ['smell', 'feel', 'place', 'surface', 'tea', 'good', 'pad_thai']

Avant :     Nope. Terrible service, terrible food. This is the second time we've made the mistake of going here 
Après :     ['service', 'food', 'time', 'make_mistake', 'mean', 'call', 'restaurant', 'second', 'street', 'call']

Avant :     30 minutes waiting for takeout.  The restaurant was not busy at all.  Another group had to have thei
Après :     ['minute', 'wait', 'takeout', 'restaurant', 'group', 'lunch', 'take', 'soup', 'lid', 'spill']

Avant :     The food is good, and that's the only reason that I keep coming back. The waitress, like I said ever
Après :     ['food', 'reason', 'keep', 'come', 'waitress', 'say', 'everytime', 'time', 'ignore', 'talk']

Avant :     Worst service! Ordered delivery and was told it would be an hour because the driver didn't get in fo
Après :     ['service', 'order', 'delivery', 'tell', 'hour', 'driver', 'hour', 'fine', 'call', 'hour']

Avant :     I wanted to give a better review BUT we went for Easter Brunch. Unfortunately they had a special men
Après :     ['want', 'give', 'review', 'brunch', 'menu', 'choice', 'cook', 'day', 'lady', 'table']

Avant :     I frequent this location but the staff here is getting as bad as the Clayton location. I know it is 
Après :     ['location', 'staff', 'location', 'know', 'table', 'service', 'industry', 'people', 'need', 'mention']

Avant :     Hmmm.  I hoped to enjoy this place - and above all, the service was excellent during my lunch visit.
Après :     ['hmmm', 'hope', 'enjoy', 'place', 'service', 'lunch', 'visit', 'menu', 'enjoy', 'carrot']

Avant :     Not sure what is going on with this place.....Food is "meh", service is "meh", generally everything 
Après :     ['place', 'food', 'service', 'meh', 'place', 'meh', 'believe', 'dining', 'event', 'meal']

Avant :     The food is good, but not great. The wait staff is awkward and unfriendly. I ate there on a Wednesda
Après :     ['food', 'wait', 'staff', 'eat', 'night', 'people', 'take', 'minute', 'appetizer', 'come']

Avant :     Overpriced food for what they served you!  We had stuffed chicken ( their signature dish), dry and n
Après :     ['overprice', 'food', 'serve', 'stuff', 'chicken', 'signature', 'dish', 'flavor', 'price', 'food']

Avant :     The service was awesome. We were greeted politely and seated immediately. The server offered us a ta
Après :     ['service', 'greet', 'seat', 'server', 'offer', 'taste', 'feature', 'wine', 'smile', 'face']

Avant :     You'd think the hamburgers would be great...not so. My wife and I had one. Dry and overcooked...and 
Après :     ['think', 'hamburger', 'wife', 'run', 'onion', 'service']

Avant :     Hands down worst breakfast ever.  Slow, burnt and over priced!
Après :     ['hand', 'breakfast', 'burn', 'price']

Avant :     Went in for a quick lunch.  I had the Cajun catfish. It was definitely under-cooked and seriously ov
Après :     ['lunch', 'cajun', 'catfish', 'cook', 'salt', 'come', 'side', 'jambalaya', 'andouille', 'sausage']

Avant :     I was hungover so i just picked a place with outdoor seatinh for my dog.  this experience was alread
Après :     ['hungover', 'pick', 'place', 'experience', 'hungover', 'people', 'waitress', 'remember', 'thing', 'food']

Avant :     Update: I have been getting harrassed by a person who says he owns this place and a member  named Sa
Après :     ['update', 'person', 'say', 'place', 'member', 'name', 'experience', 'eat', 'take', 'time']

Avant :     I NEVER send food back, it happened tonight with the pizza (not NE, on the regular menu) and a frien
Après :     ['send', 'food', 'happen', 'tonight', 'pizza', 'menu', 'friend', 'send', 'beer', 'cheese']

Avant :     I ordered the grilled chicken sandwich meal, at a cost of $10. The service was very slow.  The tiny 
Après :     ['order', 'grill', 'sandwich', 'meal', 'cost', 'service', 'piece_chicken', 'bun', 'order', 'grill']

Avant :     Yuck! I usually enjoy wendy's but this one sucks. Fries luke warm and overly salted, tomato was not 
Après :     ['enjoy', 'wendy', 'suck', 'fry', 'luke', 'salt', 'tomato', 'stem', 'burger', 'drip']

Avant :     I have been going to Papas for years in Carrollwood. Since it closed I have driven the distance to t
Après :     ['papa', 'year', 'carrollwood', 'close', 'drive_distance', 'location', 'result', 'visit', 'staff', 'order']

Avant :     Horrible customer service!!!! Extremely Unprofessional & disrespectful!!!!!  Will NEVER eat at this 
Après :     ['customer_service', 'disrespectful', 'eat', 'location']

Avant :     No one was in the restaurant when we ordered and our food still took forever to be done. They messed
Après :     ['restaurant', 'order', 'food', 'take', 'order', 'food', 'top', 'price', 'food']

Avant :     Went there the other day.... enjoyed the salad until I found numerous hairs in my food... when I tol
Après :     ['day', 'enjoy', 'salad', 'find_hair', 'food', 'tell', 'waiter', 'give', 'card', 'thank']

Avant :     The customer service has been AWFUL EVERY TIME for 10 yrs.  I only go when I need a quick healthier 
Après :     ['customer_service', 'time', 'yrs', 'need', 'option']

Avant :     Quality of food was terrible. I have had better biriyani from legal sea food! Not authentic in the l
Après :     ['quality', 'food', 'biriyani', 'sea', 'food', 'mean', 'give', 'side', 'rice', 'order']

Avant :     Not Authentic Indian.. its more like the american chinese restaurants!!! Biggest Pet Peeve was the B
Après :     ['restaurant', 'pet', 'peeve', 'rice', 'chicken', 'taste', 'borrow', 'curry', 'server']

Avant :     Not a good place at all - we saw a cockroach BEFORE we ate. Decided to leave ....and informed the ma
Après :     ['place', 'see', 'cockroach', 'eat', 'decide', 'leave', 'manager', 'issue', 'run', 'place']

Avant :     We were really hoping to find a very good, local Vietnamese restaurant ...unfortunately this is not 
Après :     ['hope', 'find', 'restaurant', 'read', 'glow', 'review', 'diner', 'hope', 'meal', 'think']

Avant :     The food was pretty good..however, the service was almost non-existent.  Maybe we came on an off nig
Après :     ['food', 'service', 'existent', 'come', 'night', 'min', 'meal', 'table', 'come', 'food']

Avant :     I was torn between 2 & 3 stars. First, based on my experience tonight, do not believe the photos. Th
Après :     ['tear', 'star', 'base', 'experience', 'tonight', 'believe', 'photo', 'amount', 'topping', 'beef']

Avant :     Place is going downhill. They raised the prices but not on the menu.   Served cheese whiz instead of
Après :     ['place', 'raise_price', 'menu', 'serve', 'cheese', 'whiz', 'swiss', 'money', 'staff_rude', 'question']

Avant :     Expected better with all the hype. Tastes like bland day old pizza with a rubber crust. And I watche
Après :     ['expect', 'hype', 'taste', 'day', 'pizza', 'rubber', 'crust', 'watch', 'make', 'management']

Avant :     So I went to the new Randazzo's in the Huntington Valley shopping center... Must have replaced Illia
Après :     ['replace', 'illiano', 'greasy', 'pizza', 'order', 'flavorless', 'location', 'location', 'expectation', 'disappoint']

Avant :     Just went here for breakfast.  The food was just OK, the service wasn't particularly great, in fact 
Après :     ['breakfast', 'food', 'service', 'fact', 'server', 'seem', 'put', 'ask', 'make', 'star']

Avant :     The customer service at Cafe Deluxe is poor. My party waited a long time to be seated, and then to g
Après :     ['customer_service', 'cafe', 'deluxe', 'party', 'wait', 'time', 'seat', 'drink', 'food', 'pay']

Avant :     We were in town to visit friends and thought we would check out the local vegan food.  The food was 
Après :     ['town', 'visit', 'friend', 'think', 'check', 'vegan', 'food', 'food', 'service', 'choice']

Avant :     Maybe I'm just not fancy enough to enjoy this type of food? 
To be totally honest, if you're going f
Après :     ['enjoy', 'type', 'food', 'place', 'dish', 'look', 'work', 'art', 'care', 'leave']

Avant :     Food was fine, just like in every Taco Bell it is. But, man.... SERVICE! The girl at the register wa
Après :     ['food', 'service', 'girl', 'register', 'stand', 'talk', 'kitchen', 'wait', 'finish', 'conversation']

Avant :     Poor customer service, guy in the drive thru had attitude when I was ordering. Then we couldn't wait
Après :     ['customer_service', 'guy', 'drive', 'attitude', 'order', 'wait', 'window', 'food', 'ask', 'pull']

Avant :     It is a bad taco bell, poorly made food. Luckily I live close so I eat it when i get back, but for t
Après :     ['make', 'food', 'live', 'eat', 'eat', 'drive', 'tasting']

Avant :     This KFC Taco Bell is horrible.  Food was cold, and not everything on menu is present in store. Cust
Après :     ['food', 'menu', 'store', 'customer_service', 'chicken', 'chalupa', 'lunch', 'hour', 'place', 'disappoint']

Avant :     We stopped by for dinner, were seated in the only open table. Menus were given to us, and then we ne
Après :     ['stop', 'dinner', 'seat', 'table', 'menu', 'give', 'hear', 'server', 'wait_minute', 'leave']

Avant :     This was nothing special and seemed a little overpriced for quantity. 

It's a typical diner/cafe.  
Après :     ['seem', 'quantity', 'diner', 'let', 'forget', 'food', 'think', 'breakfast', 'place', 'side']

Avant :     We were seated at 11:51am we made our drink order at 11:58 we received our drinks promptly but then 
Après :     ['make', 'drink', 'order', 'receive', 'drink', 'misery', 'begin', 'minute', 'contact', 'waiter']

Avant :     Don't go.
Rude staff. 
Bad food.
Not that cheap.
Ugly/No decor.
Après :     ['staff', 'food', 'decor']

Avant :     I think I must take the same position on this store that Corey has taken in the past. 
Food: Sub sta
Après :     ['think', 'take', 'position', 'store', 'corey', 'take', 'food', 'sub', 'service', 'snail']

Avant :     A new diner/bar in the hip Faubourg Marigny area of New Orleans, the Nighthawk is struggling to work
Après :     ['diner', 'bar', 'hip', 'nighthawk', 'struggle', 'work', 'kink', 'price', 'serve', 'day']

Avant :     Change the name of this place to "$12 a night just to park at this dump" and maybe there is a chance
Après :     ['change', 'name', 'place', 'night', 'park', 'dump', 'chance', 'star', 'make', 'garage']

Avant :     ABSOLUTE CRAP!!!! I swiched after one night to the Hotel Intercontinental a REAL hotel!... The rooms
Après :     ['crap', 'swiche', 'night', 'hotel', 'hotel', 'room', 'renovation', 'hour', 'joke', 'food']

Avant :     The room is adequate.  However the parking structure was completely full and there was no additional
Après :     ['room', 'parking', 'structure', 'parking', 'call', 'evening', 'arrival', 'ask', 'bring', 'blanket']

Avant :     Airport pickup never showed up after an hour and multiple calls. Hotel stopped answering the phone. 
Après :     ['airport', 'show', 'hour', 'call', 'hotel', 'stop', 'answer_phone', 'manage']

Avant :     Room smells like cigarette smoke, Dog in room 505 or 504, barked all night, No towels, no room servi
Après :     ['room', 'smell', 'cigarette', 'smoke', 'dog', 'room', 'bark', 'night', 'room', 'service']

Avant :     My quick summary of this place:
Location - Nice
Staff - friendly, and remember you... go out of way 
Après :     ['summary', 'place', 'location', 'staff', 'remember', 'way', 'make', 'hotel', 'date', 'room']

Avant :     Staff is unorganized.  Rooms are mediocre.  Prices in the hotel in general are marked up and the ele
Après :     ['staff', 'room', 'price', 'hotel', 'mark', 'elevator', 'sound', 'leg', 'option', 'area']

Avant :     Dirty, worn, nasty hotel run by staff that doesn't care at all about the guests. No valet, luggage c
Après :     ['wear', 'hotel', 'run', 'staff', 'care', 'guest', 'valet', 'luggage', 'cart', 'break']

Avant :     Embassy Suites in Tampa was a horrible travel experience for myself and four friends. Customer"servi
Après :     ['embassy', 'suite', 'tampa', 'travel', 'experience', 'friend', 'customer_service', 'representative', 'try', 'charge']

Avant :     Old and smelly! I opened the door and was instantly turned off by the smell and the stains on the ru
Après :     ['open', 'door', 'turn', 'smell', 'stain', 'rug', 'smell', 'casino', 'carpet', 'disappoint']

Avant :     Stayed here for 4 days while attending a Sales meeting and left completely unimpressed.  At most tim
Après :     ['stay', 'day', 'attend', 'sale', 'meeting', 'leave', 'time', 'desk', 'staff', 'person']

Avant :     Ended up staying here for two nights due to Delta's inability to get us home to Little Rock. Service
Après :     ['end', 'stay', 'night', 'inability', 'rock', 'service', 'lobby', 'breakfast', 'room', 'letdown']

Avant :     I inquired about the Bistro burger which says on the menu ask server for details,which I did she exp
Après :     ['inquire', 'burger', 'say', 'server', 'detail', 'explain', 'burger', 'topping', 'time', 'describe']

Avant :     Creamer spoiled in coffee. They brought me milk, that was spoiled as well. No apology, ignored from 
Après :     ['creamer', 'spoil', 'coffee', 'bring', 'milk', 'spoil', 'apology', 'ignore', 'waitress', 'speak']

Avant :     This place is awesome. Clean, great decor, great people alan's the food was perfect!

Harriet our wa
Après :     ['place', 'waitress', 'staff', 'break', 'song', 'meal', 'help', 'seem', 'enjoy', 'work']

Avant :     Overpriced diner food.  The food was just ok and the service was pretty bad for us, but the locals s
Après :     ['overprice', 'diner', 'food', 'food', 'service', 'local', 'seem', 'service', 'return']

Avant :     So want to like this place and support it, but the last time I was there, water poured out of a bott
Après :     ['want', 'place', 'support', 'time', 'water', 'pour', 'bottle', 'ketchup', 'tell', 'waitress']

Avant :     From the very beginning the hostess was also working as the cashier so we weren't even welcomed when
Après :     ['beginning', 'hostess', 'work', 'cashier', 'welcome', 'come', 'ask', 'hostess', 'table', 'make']

Avant :     Wretchedly overpriced. Mediocre food. I remember when there was one downtown, we thought it was the 
Après :     ['overprice', 'food', 'remember', 'downtown', 'thought', 'bee', 'knee', 'waffle', 'house', 'variety']

Avant :     The pancakes were really good (they better be since the word "pancake" is the name, right?).   Howev
Après :     ['pancake', 'word', 'pancake', 'name', 'party', 'pancake', 'indicate', 'meal', 'coffee', 'disappointment']

Avant :     Our food was good. The service was horrible. We waited forever for our server to take our order. Aft
Après :     ['food', 'service', 'wait', 'server', 'take', 'order', 'receive', 'food', 'server', 'table']

Avant :     I just paid $7 for .5oz of ahi tuna mixed with .5oz of avacado, romaine, and tomatoe. Grey goose mar
Après :     ['pay', 'ahi', 'tuna', 'mix', 'avacado', 'romaine', 'tomatoe', 'goose', 'martini', 'understand']

Avant :     It was our first time eating there and we ordered the buffalo chicken bites, chicken tacos, stuffed 
Après :     ['time', 'eat', 'order', 'bite', 'stuff', 'potato', 'spring', 'salmon', 'way', 'food']

Avant :     I ve been to Grand lux many times and I feel like it no longer has the fire it used to have. This us
Après :     ['lux', 'time', 'feel', 'fire', 'use', 'use', 'end', 'cheesecake_factory', 'sister', 'company']

Avant :     Decent place.  The food was pretty good & served reasonably quickly.  The selection was broad and th
Après :     ['place', 'food', 'serve', 'selection', 'portion_size', 'feel', 'variation', 'cheesecake_factory', 'price', 'tad']

Avant :     Waiter was very  good. Hostess was very pleasant. The quantity of food could be a lot better. I orde
Après :     ['waiter', 'hostess', 'quantity', 'food', 'lot', 'order', 'steak', 'sand', 'slice', 'steak']

Avant :     Food was just ok, service was horrible! after waiting 25 min for a seat we got to a table that was a
Après :     ['food', 'service', 'wait_min', 'seat', 'table', 'set', 'water', 'wait', 'wait', 'waiter']

Avant :     Service started off great then got slow ... Very very slow. Wife had breakfast brunch which she enjo
Après :     ['service', 'start', 'wife', 'breakfast', 'brunch', 'enjoy', 'order', 'sandwich', 'sandwich', 'eat']

Avant :     Really looked forward to the meal here. Our server was wonderful and the ambience is fabulous. The k
Après :     ['look', 'meal', 'server', 'ambience', 'kitchen', 'drop', 'night', 'food', 'take', 'minute']

Avant :     This place does everything right except make good food. Looks beautiful, service is, well, serviceab
Après :     ['place', 'make', 'food', 'look', 'service', 'menu', 'give', 'hundred', 'option', 'wine']

Avant :     There was hair found in my friends food on 2 separate occasions. Once inside a turkey burger (which 
Après :     ['hair', 'find', 'friend', 'food', 'occasion', 'burger', 'thing', 'time', 'bread', 'basket']

Avant :     The menu has way too many options and that's where this place fails.  Jack of all trades,  master of
Après :     ['menu', 'way', 'option', 'place', 'fail', 'trade', 'master', 'none', 'atmosphere', 'service']

Avant :     This place was horrible!!!! I went with a generous party of 12!!! And service was sooo slow and dela
Après :     ['place', 'party', 'service', 'sooo', 'delay', 'place', 'entree', 'list', 'menu', 'know']

Avant :     Slow and inattentive service.  Took too long to take entree orders.  Table wasn't pre-bussed in betw
Après :     ['service', 'take', 'take', 'order', 'table', 'pre', 'buss', 'course', 'person', 'food']

Avant :     Worst place ever really nice place in the inside but the food sucks! Our server was rude she never e
Après :     ['place', 'place', 'food', 'suck', 'server', 'rude', 'check', 'food', 'come', 'speak']

Avant :     My boyfriend and I are huge fans of the Cheesecake Factory so we wanted to try the Grand Luxe Cafe. 
Après :     ['boyfriend', 'fan', 'cheesecake_factory', 'want', 'try', 'waiter', 'food', 'cheesecake_factory', 'food', 'option']

Avant :     This is an OVER PRICED cheesecake factory! The food and menu is exactly the same. Except they give y
Après :     ['price', 'cheesecake_factory', 'food', 'menu', 'give', 'portion', 'rack', 'price', 'suppose', 'make']

Avant :     If there were negative stars I'd choose that! Way over priced...I think Whole Foods is less expensiv
Après :     ['star', 'choose', 'way', 'price', 'think', 'food']

Avant :     I decided to give this Haggen location a chance. I walked into an mostly empty store. I notice some 
Après :     ['decide', 'give', 'haggen', 'location', 'chance', 'walk', 'store', 'notice', 'item', 'mark']

Avant :     Completely disappointed. I can't believe I paid $40 for 50 wings from this place. I'll never eat her
Après :     ['believe', 'pay', 'wing', 'place', 'eat', 'price', 'rip', 'charge', 'charge', 'give']

Avant :     Stopped in for breakfast on 12/2/17 I used to like it here for breakfast.  Service was slow coffee w
Après :     ['stop', 'breakfast', 'use', 'breakfast', 'service', 'coffee', 'grit', 'minute', 'wait', 'cinnamon']

Avant :     I usually don't write reviews of chains unless they are really great or really awful. This Cracker B
Après :     ['write_review', 'chain', 'cracker_barrel', 'verge', 'lust', 'chicken', 'fry', 'steak', 'scramble_egg', 'disappoint']

Avant :     I always liked cracked barrel  but today was the worst! 
wait time to give your name so they can get
Après :     ['like', 'crack', 'barrel', 'today', 'wait', 'time', 'give', 'name', 'table', 'minute']

Avant :     Awful! Have been there for breakfast a few times, was always good, however, tried it for lunch. Fran
Après :     ['breakfast', 'time', 'try', 'lunch', 'hospital', 'food', 'tasteless', 'overprice', 'service']

Avant :     The food was great...but they ran out of biscuits and corn bread. The service was horrible. Really s
Après :     ['food', 'run', 'biscuit', 'corn_bread', 'service', 'waitress', 'seem', 'today', 'disappoint']

Avant :     Went during busy time and it was an awful experience... Waitress didn't know the menu.. Meal came ou
Après :     ['time', 'experience', 'waitress', 'know', 'menu', 'meal', 'come', 'section', 'time', 'order']

Avant :     The portions were smaller than normal. Some management issues today. Got dirty silverware twice. Dec
Après :     ['portion', 'management', 'issue', 'today', 'silverware', 'decide', 'wipe', 'ask', 'silver', 'ware']

Avant :     I am probably one of the biggest fans of sonic out there, but sadly, I have to give this one very po
Après :     ['fan', 'sonic', 'give', 'review', 'order', 'ton', 'item', 'place', 'order', 'item']

Avant :     Waitresses are great but kitchen staff needs to pay better attention to orders , my food allergy cou
Après :     ['waitress', 'kitchen', 'staff', 'need', 'pay_attention', 'order', 'food', 'allergy', 'cause', 'issue']

Avant :     Everyone should be familiar with Friendly's.  Good sandwiches, burgers, fries, and ice cream.  Great
Après :     ['sandwich', 'burger', 'fry', 'ice_cream', 'spot', 'kid', 'location', 'service', 'visit', 'table']

Avant :     We stopped here at 11:40AM to have lunch - the girl promptly told us no lunch would be served until 
Après :     ['stop_lunch', 'girl', 'tell', 'lunch', 'serve', 'noon', 'place', 'start', 'lunch', 'year']

Avant :     What started out as a great meal ended horribly.
Was fight night so unknown to us since we arrived p
Après :     ['start', 'meal', 'end', 'fight', 'night', 'arrive', 'pm', 'charge', 'patron', 'watch']

Avant :     Frankly some of the worst service out there.  Barely acknowledged me because I was with my children.
Après :     ['service', 'acknowledge', 'child', 'tipper', 'guy', 'tip', 'service', 'treat_customer', 'return']

Avant :     Parking and seating is limited. Service is horrible. Wings were not good at all. A place called wing
Après :     ['parking', 'seat', 'service', 'wing', 'place', 'call', 'wing', 'house', 'wing', 'think']

Avant :     I've always liked Kers. 
They keep the restaurant clean and always friendly staff.  But !!  Myself a
Après :     ['like', 'ker', 'keep', 'restaurant', 'staff', 'coworker', 'lunch', 'yesterday', 'become', 'minute']

Avant :     Don't order wings from here! We ordered some recently and generally you would not complain about a l
Après :     ['order', 'wing', 'order', 'complain', 'chicken', 'wing', 'turkey', 'leg', 'tip', 'attach']

Avant :     The wings have gone downhill. Additionally, "the machines" were down and we were forced to go their 
Après :     ['wing', 'machine', 'force', 'atm', 'happen', 'restaurant', 'pull', 'cash', 'pay_bill', 'order']

Avant :     Not happy with our lunch..stale tortillas for the fish tacos, very dry turkey wrap, unremarkable win
Après :     ['lunch', 'tortilla', 'wrap', 'wing', 'server']

Avant :     Don't waste your time.  My Vietnamese wife wont return nor will I.
Après :     ['waste_time', 'wife', 'return']

Avant :     I used to be a fan of this place because it had decent pho & fried wontons.  But the last time i wen
Après :     ['use', 'fan', 'place', 'pho', 'fry', 'wonton', 'time', 'find', 'bone', 'pho']

Avant :     I finally tried this place. I am used to eating at TK Noodle out in the San Jose Bay Area. They are 
Après :     ['try', 'place', 'use', 'eat', 'thought', 'try', 'place', 'picture', 'wall', 'look']

Avant :     I used to love this place, would eat there 2 times a week at least... until there was a huge fly in 
Après :     ['use_love', 'place', 'eat', 'week', 'fly', 'pho', 'take', 'counter', 'attitude']

Avant :     This place gets two stars from me only because the gravy fries were good. Their sandwiches are awful
Après :     ['place', 'star', 'gravy', 'fry', 'sandwich', 'slab', 'slice', 'meat', 'make_mistake', 'order']

Avant :     Mediocre and expensive. I could not find prices listed anywhere when we ordered. This is also the fi
Après :     ['expensive', 'find', 'price', 'list', 'order', 'place', 'encounter', 'sandwich', 'combo', 'mean']

Avant :     Meh.

My coworkers and I ordered about 10 roast beef sandwiches today.  I have eaten here in the pas
Après :     ['coworker', 'order', 'roast_beef', 'sandwich', 'today', 'eat', 'quality', 'cheese', 'sandwich', 'melt']

Avant :     The first reviews which come up when you search Nick's Old Original RB mislead me.  Perhaps these pe
Après :     ['review', 'come', 'search', 'mislead', 'people', 'sample', 'experience', 'visit', 'occasion', 'say']

Avant :     Love the dive-bar, local, home towny feel of this place. There was no smoking when we went unlike wh
Après :     ['love', 'dive_bar', 'home', 'towny', 'feel', 'place', 'smoking', 'reviewer', 'point', 'bartender']

Avant :     Don't go here during late night. Fast food resteraunts in the city love to not give a shit at 2:00am
Après :     ['night', 'food', 'resteraunt', 'city', 'love', 'give', 'shit', 'take', 'order', 'terrible']

Avant :     I used to really really like going to this Hardees. I liked Hardees breakfast menu a lot.  I even ca
Après :     ['use', 'hardee', 'like', 'hardee', 'breakfast', 'menu', 'lot', 'come', 'spend', 'breakfast']

Avant :     Rude white lady at the window and she rushed us. We only orders 2 fires (around 1140-1150 on this da
Après :     ['window', 'rush', 'order', 'fire', 'day', 'want', 'name', 'give', 'receipt', 'eat']

Avant :     I haven't been this disappointed in a restaurant for a very long time. Ole Red's is a burger and bee
Après :     ['restaurant', 'time', 'beer', 'burger', 'come', 'wife', 'make', 'statement', 'wait', 'try']

Avant :     If you are looking to go somewhere where customer service is not a priority, this is your place. Ext
Après :     ['look', 'customer_service', 'priority', 'place', 'waitress', 'place', 'accommodate', 'lack', 'training', 'seem']

Avant :     Sorry we cannot rate NO STARS...made reservation 24 hrs in advance with Open Table app...arrived for
Après :     ['rate', 'star', 'make_reservation', 'hrs', 'advance', 'table', 'arrive', 'dinner', 'minute', 'find']

Avant :     Do not visit for the food.  It's very poor quality.  In addition they don't have many gluten free op
Après :     ['visit', 'food', 'quality', 'addition', 'gluten', 'option', 'group', 'enjoy', 'cocktail', 'rooftop']

Avant :     Hate to complain, but the food just wasn't good. Nobody in my family enjoyed it. The music was great
Après :     ['hate', 'complain', 'food', 'family', 'enjoy', 'music', 'service', 'average', 'food', 'mcdonald']

Avant :     Food sucks, service sucks, would not come back. Not a lot of choices food wise. Drink menu small.
Après :     ['food', 'suck', 'service', 'suck', 'come', 'lot', 'choice', 'food', 'drink', 'menu']

Avant :     Sorry Blake but your service sucks! Went to the roof top bar and couldn't even get waited on. Even a
Après :     ['service', 'suck', 'roof', 'bar', 'wait', 'ask', 'server', 'come']

Avant :     Let's start out about how excited I was to try Ole Red since I'm a huge Blake Shelton fan. His resta
Après :     ['let_start', 'try', 'ole', 'restaurant', 'time', 'time', 'sit', 'rooftop', 'service', 'waiting']

Avant :     If I could give zero stars I would.  Carside to go is an epic fail for this location.  Twice I have 
Après :     ['give_star', 'carside', 'fail', 'location', 'come', 'wait_minute', 'food', 'defeat', 'purpose', 'carside']

Avant :     This apple bees is a joke. Was once on dirty dining  for having roaches all over! If you go there af
Après :     ['joke', 'dirty', 'dining', 'roach', 'music', 'lot', 'people', 'scream', 'eat', 'dancing']

Avant :     This Applebee's is just as bad as the rest of slop-pits in the vein of the "family neighborhood bar"
Après :     ['applebee', 'rest', 'slop', 'pit', 'vein', 'family', 'neighborhood', 'bar', 'theme', 'drink']

Avant :     Curb side pick up. Ordered the standard burger and a classic burger. They gave us 2 plain cheeseburg
Après :     ['curb', 'side', 'pick', 'order', 'give', 'cheeseburger', 'bacon', 'pickle', 'lettuce_tomato', 'onion']

Avant :     DO NOT EAT HERE!!! Management is horrible, the restaurant is understaffed. I feel bad for the friend
Après :     ['eat', 'management', 'restaurant', 'understaffe', 'feel', 'employee', 'order', 'beer', 'boneless_wing', 'speak_manager']

Avant :     Run! Do not walk, run away from this place!  We arrived at 4:30 on a Saturday afternoon. Took 10 min
Après :     ['run', 'walk', 'run', 'place', 'arrive', 'afternoon', 'take', 'minute', 'seat', 'order']

Avant :     It offers more variety than other sit-down restaurants, but the quality is really, REALLY lacking. 

Après :     ['offer', 'variety', 'sit', 'restaurant', 'quality', 'lack', 'partner', 'order', 'island', 'taste']

Avant :     Ordered pizza and tipped a buck. Made wrong pizza...waited...made another wrong pizza...girl talked 
Après :     ['order', 'pizza', 'tip', 'buck', 'make', 'pizza', 'wait', 'make', 'pizza', 'girl']

Avant :     Very disappointed!!!! Made reservations early in week. When we arrived we were seated in bar area in
Après :     ['make_reservation', 'week', 'arrive', 'bar', 'area', 'corner', 'take', 'hour', 'glass_wine', 'hour']

Avant :     Went last night with friends for birthday celebration.  A total disaster for 3 main reasons.  Frist,
Après :     ['night', 'friend', 'birthday', 'celebration', 'disaster', 'reason', 'frist', 'dinner', 'forget', 'wait_min']

Avant :     This is the slowest drive through I have ever been in my entire life not sure how this survives why 
Après :     ['drive', 'life', 'survive', 'people', 'continue', 'come']

Avant :     Worst Taco Bell I've ever been in and I know they are fast food and not some fancy place. Been sever
Après :     ['know', 'food', 'place', 'time', 'ice', 'machine', 'beverage', 'trash', 'run', 'service']

Avant :     Not impressed...  Ordered the number one seller, drunken noodle with chicken with no egg...  Receive
Après :     ['impress', 'order', 'number', 'seller', 'egg', 'receive', 'order', 'egg', 'deal', 'take']

Avant :     I'm in Wilmington extensively for business and this is the third "re-do" of Toscana, now Piccolina T
Après :     ['experience', 'watch', 'sequel', 'movie', 'release', 'cafeteria', 'feel', 'noise_level', 'increase', 'entre']

Avant :     I just had delivery from this location.  I am not impressed.  It took an hour and a half to get my p
Après :     ['delivery', 'location', 'impress', 'take', 'hour_half', 'pizza', 'deliver', 'pizza', 'greasy', 'give_star']

Avant :     This was the third time I've been to this place, as it's close to my work so I've had an opportunity
Après :     ['time', 'place', 'work', 'opportunity', 'try', 'item', 'menu', 'portion', 'serve', 'price']

Avant :     Saw employees eating as they served food (french fries), without gloves. The bathroom was in disarra
Après :     ['see', 'employee', 'eat', 'serve', 'food', 'fry', 'glove', 'bathroom', 'disarray', 'trash']

Avant :     We had a horrific experience at this McDonald's. We went in just wanting a McFlurry, and the woman w
Après :     ['experience', 'mcdonald', 'want', 'woman', 'work', 'cash_register', 'decide', 'ignore', 'minute', 'stand']

Avant :     Steak meat on sandwich had an eerie texture and was cold. Soda was stale and tasted "off". Wings wer
Après :     ['steak', 'meat', 'sandwich', 'eerie', 'texture', 'soda', 'wing', 'chicken', 'wing', 'shape']

Avant :     WORST location  out there. I eat Chipotle 4+ times a week, and every time I go to this location I ha
Après :     ['location', 'eat', 'chipotle', 'week', 'time', 'location', 'experience', 'today', 'meat', 'put']

Avant :     This chipotle is absolute garbage!!  The staff at this location is absolutely incompetent.  They und
Après :     ['garbage', 'staff', 'location', 'stuff', 'forget', 'item', 'order', 'ask_question', 'mess', 'make']

Avant :     My salad was almost lettuce-less and full of two scoops of pico and which was almost tomato only.  A
Après :     ['salad', 'lettuce', 'scoop', 'pico', 'tomato', 'happen', 'guy', 'drain', 'bean', 'thing']

Avant :     So lets just start with the good stuff: classy environment, great company, extremely friendly staff 
Après :     ['let_start', 'stuff', 'environment', 'company', 'staff', 'bouncer', 'bartender', 'coat', 'check', 'lot']

Avant :     First off the place is gorgeous and nice to look at. They are not used to hosting people for one thi
Après :     ['place', 'look', 'use', 'host', 'people', 'thing', 'put', 'add', 'tip', 'tax']

Avant :     If I could have this place 0 stars I would. This is the most Racist establishment I've ever been to 
Après :     ['place', 'star', 'racist', 'establishment', 'life', 'come', 'celebrate', 'husband', 'birthday', 'owner']

Avant :     wow talk about no class.  the owner allows his girlfriend to pick fights with patrons and then kicks
Après :     ['talk', 'class', 'owner', 'allow', 'girlfriend', 'pick', 'fight', 'patron', 'kick', 'happen']

Avant :     This place is very interesting. But I HATE the atmosphere here. i understand that this is a lounge b
Après :     ['place', 'hate', 'atmosphere', 'understand', 'lounge', 'furniture', 'choice', 'place', 'look', 'feel']

Avant :     Delivery was on time,  but the pizza missed the mark.   A lot.  Really just plain.  No flavor more t
Après :     ['delivery', 'time', 'pizza', 'miss_mark', 'lot', 'flavor', 'flavor', 'disappointing']

Avant :     I have stayed at the same location for the past  2...2 years, with no issues. But NOW they can't del
Après :     ['stay', 'location', 'year', 'issue', 'deliver', 'area', 'stay', 'mile', 'store', 'mention']

Avant :     Chicken was salty, I ordered 1/2 chicken, rice and plantains to go for lunch. With the chicken and r
Après :     ['order', 'chicken', 'rice', 'plantain', 'lunch', 'rice', 'receive', 'piece', 'plantain', 'pay']

Avant :     Don't come here in a hurry. It's like they move in slow motion. They pay more attention to talking t
Après :     ['come', 'hurry', 'move', 'motion', 'pay_attention', 'talk', 'customer', 'time', 'matter', 'move']

Avant :     Worst delivery experience. Prob never order from there. Even after reading saying it's good food. I 
Après :     ['delivery', 'experience', 'prob', 'order', 'read', 'say', 'food', 'give', 'food']

Avant :     Just tried to go there ordered my food at 8:05 2 platters she told me 25min so I said OK..walked in 
Après :     ['try', 'order', 'food', 'platter', 'tell', 'min', 'say', 'walk', 'ignore', 'hand']

Avant :     A few weeks ago, I over heard one of the management tell an employee in front of customers that he d
Après :     ['week', 'hear', 'management', 'tell', 'employee', 'customer', 'people', 'walk', 'seat', 'give']

Avant :     The web page is awesome I thought it was a good sign to order online for a sushi delivery, after all
Après :     ['web', 'page', 'think', 'sign', 'order', 'delivery', 'sushi', 'risk', 'ask', 'seaweed']

Avant :     My girlfriend and I went to happy hour yesterday,  14 Sept 2018, at a friends suggestion.  Ordered o
Après :     ['girlfriend', 'hour', 'yesterday', 'sept', 'friend', 'suggestion', 'order', 'oyster', 'start', 'figure']

Avant :     Overpriced. Charges 2.50 for tea each that they offered us while we were waiting for our take out. I
Après :     ['charge', 'tea', 'offer', 'wait', 'take', 'ask', 'chef', 'omakase', 'act', 'service']

Avant :     First visit tonight. Nice, clean place. Reasonably priced. Friendly staff. Excellent presentation of
Après :     ['visit', 'tonight', 'place', 'price', 'staff', 'presentation', 'food', 'order', 'chicken', 'fajita']

Avant :     by far the WORST effort at chain mexican food. I thought this was a sister restaurant of the The Lim
Après :     ['effort', 'chain', 'think', 'sister', 'restaurant', 'lime', 'call', 'lemon', 'give', 'shoot']

Avant :     The best thing about Lime Fresh is that they have Mellow Yellow in their soda machines.  Seriously, 
Après :     ['thing', 'lime', 'soda_machine', 'food', 'pay', 'chip', 'queso', 'soda', 'figure', 'splurge']

Avant :     I love their Salsa bar. 

But everything else is just ok..  THe burritos are proabably at the low en
Après :     ['salsa', 'bar', 'ok', 'end', 'scale', 'place', 'chip', 'ok', 'allure', 'place']

Avant :     Literally, the worst Taco Bell I have ever been to. The restaurant is filthy, the service is awful, 
Après :     ['bell', 'restaurant', 'service', 'make', 'order', 'find', 'place']

Avant :     Slow service with an attitude, filthy dining and restrooms. Figured the first time they were having 
Après :     ['service', 'attitude', 'dining', 'restroom', 'figure', 'time', 'day', 'crave', 'think', 'give']

Avant :     I am a ridiculously huge fan of taco bell, in the sense that I could eat it for lunch almost every d
Après :     ['fan', 'sense', 'eat', 'lunch', 'day', 'dinner', 'bell', 'wait', 'time', 'store']

Avant :     I thought the first time I went there, they were just having a bad day.  So I returned a second time
Après :     ['think', 'time', 'day', 'return', 'time', 'service', 'joke', 'min', 'order', 'lead']

Avant :     I have had much better dining experiences before. The food was just ok along with the service. Nothi
Après :     ['dining_experience', 'food', 'service', 'come']

Avant :     Incredibly unfriendly staff. The place a filthy disaster. Dirty dishes all over the place. Trash bag
Après :     ['staff', 'place', 'disaster', 'dish', 'place', 'trash', 'bag', 'sit', 'attempt', 'change']

Avant :     This Qdoba is probably the worst place I have ever been to. I placed an online order and when I show
Après :     ['place', 'place', 'order', 'show', 'pick', 'one', 'start', 'order', 'realize', 'care']

Avant :     This is the worst location I've been too. The staff is very slow and the wait is always very long ev
Après :     ['location', 'staff', 'wait', 'today', 'clean', 'food', 'stand', 'cover', 'food', 'avoid']

Avant :     Came here after work for a quick bite and a beer.  The beer cup was TINY! I don't remember how much 
Après :     ['come', 'work', 'bite', 'beer', 'tiny', 'remember', 'buy', 'beer', 'dog', 'fry']

Avant :     These hot dogs are unfortunately very basic but not very good.  I stopped in to use a Groupon but as
Après :     ['dog', 'good', 'stop', 'use', 'groupon', 'eat', 'dog', 'know', 'fry', 'save_grace']

Avant :     Slllooowweeessttt deli counter ever! Been waiting for over 20 minutes for the Daily Special of all t
Après :     ['counter', 'wait_minute', 'thing', 'catch', 'fish', 'amount', 'time']

Avant :     I'm completely disgusted in the way the employees treated me. I waited in the line at the market for
Après :     ['way', 'employee', 'treat', 'wait_line', 'market', 'min', 'let', 'customer', 'front', 'min']

Avant :     Ordered a couple of pizzas for delivery. I swear a cheap frozen pizza tastes better. It was semi war
Après :     ['order', 'couple', 'pizza', 'delivery', 'swear', 'pizza', 'taste', 'bland', 'cheese', 'night']

Avant :     Ordered mozzarella sticks and a small cheese pizza via delivery. Driver did not speak English. Food 
Après :     ['order', 'stick', 'cheese', 'pizza', 'delivery_driver', 'speak', 'food', 'discover', 'pizza', 'eat']

Avant :     Every single time that I've gone here it always tastes like they have a little bit of cleaning suppl
Après :     ['time', 'taste', 'bit', 'clean', 'supply', 'food', 'bread', 'taste', 'lay', 'surface']

Avant :     I think the workers here are stoned and bone eyed. I ordered delivery, after almost 2 hours I called
Après :     ['think', 'worker', 'stone', 'bone', 'eye', 'order', 'delivery', 'hour', 'call', 'ask']

Avant :     You've got a lotta nerve calling your place New York Pizza. First and foremost, the very worst pizza
Après :     ['lotta', 'nerve', 'call', 'pizza', 'time', 'produce', 'excuse', 'pizza', 'pizza', 'make']

Avant :     Almost $4 for a slice of pizza??

I went to NY Pizza after a Mardi Gras parade last week. (Price gou
Après :     ['slice', 'pizza', 'mardi', 'gra', 'parade', 'week', 'price', 'gouge', 'woman_counter', 'present']

Avant :     I took my family to NY pizza last night. We were the only table in the restaurant on a Friday night.
Après :     ['take', 'family', 'pizza', 'night', 'table', 'night', 'service', 'waiter', 'hate_job', 'care']

Avant :     A two star pizzeria in New York doesn't sell garlic knots and makes you wait too long for reheated s
Après :     ['star', 'sell', 'garlic_knot', 'make', 'wait', 'slice', 'cheese', 'pizza', 'star', 'give']

Avant :     Here's a rundown of our first, only, and last experience...

We ordered pizza for delivery at 5:30 a
Après :     ['rundown', 'experience', 'order', 'pizza', 'delivery', 'person', 'take', 'order', 'say', 'arrive']

Avant :     Very disappointed. I love New York style pizza but this place fell short. Although the menu features
Après :     ['love', 'style', 'pizza', 'place', 'fall', 'feature', 'selection', 'dish', 'server', 'tell']

Avant :     Overall, really disappointing. There was a rag and empty container sitting on our table the whole ti
Après :     ['rag', 'container', 'sit', 'table', 'time', 'spinach', 'pizza', 'friend', 'apple', 'calzone']

Avant :     It's hard to give a pizza place 1 star, but this was floating with grease, it wasn't very good at al
Après :     ['give', 'pizza', 'place', 'star', 'float', 'grease', 'good', 'feel', 'eat', 'order']

Avant :     Way overpriced
Too long of a wait
Barely delivers
Closes early 
Pizza is mediocre at best
Après :     ['way_overprice', 'wait', 'deliver', 'close', 'pizza']

Avant :     Slow and expensive.  It really shouldn't take 20 minutes to get a slice of pizza.  There are better 
Après :     ['take', 'minute', 'slice', 'pizza', 'alternative']

Avant :     Extremely bland and ordinary, and slow. Crust was preformed frozen, with gummy mozzarella and the Pa
Après :     ['bland', 'crust', 'preform', 'package', 'variety', 'shaker', 'tomato_sauce', 'tomato', 'flavor', 'deserve']

Avant :     I fail to see how they claim to deliver when they never answer the phone. I've tried multiple times 
Après :     ['fail', 'see', 'claim', 'deliver', 'answer_phone', 'try', 'time', 'order', 'guess', 'want']

Avant :     Decent food. Very friendly staff although this one guy was REALLY loud. It was annoying because ther
Après :     ['food', 'staff', 'guy', 'echo', 'wife', 'girlfriend', 'kid', 'feel', 'guy', 'figure']

Avant :     Pizza is o-k, just ok..
Lunch service was not good. Had to ask for what I needed and didn't get chec
Après :     ['pizza', 'lunch', 'service', 'ask', 'need', 'check', 'drink_refill', 'eat', 'return']

Avant :     This was my first time eating at a Ruth Chris steakhouse, and I usually like to try a place more tha
Après :     ['time', 'eat', 'try', 'place', 'make', 'mind', 'visit', 'place', 'return', 'staff']

Avant :     Was very disappointed to be informed that this resturant claimed to have a business casual dress cod
Après :     ['resturant', 'claim', 'business', 'dress', 'code', 'evening', 'reservation', 'make', 'sign', 'state']

Avant :     My sister actually found a piece of finger nail in her mashed potatoes... ummm.. yeah. When we notif
Après :     ['sister', 'find', 'piece', 'finger', 'nail', 'mash_potato', 'notify', 'manager', 'apologize', 'inspect']

Avant :     The most over rated steakhouse I've been to. Had the ribeye steak which I buy got about $9 and they 
Après :     ['rate', 'steak', 'buy', 'charge', 'come', 'plate', 'potato', 'potato', 'side', 'price']

Avant :     We showed up for our reservation and were shoved off into a back corner somewhere. It was not crowde
Après :     ['show', 'reservation', 'shove', 'corner', 'crowd', 'staff', 'seem', 'forget', 'order', 'boyfriend']

Avant :     I like to test places out during restaurant week. This Ruth's Chris in particular treated the restau
Après :     ['test', 'place', 'restaurant', 'treat', 'restaurant', 'week', 'customer', 'nuisance', 'service', 'attentive']

Avant :     Me and my boyfriend went to Ruth chris on Mothers day. When i say the food Sucks i mean it Sucks.. i
Après :     ['boyfriend', 'say', 'food', 'suck', 'mean', 'suck', 'taste', 'bread', 'table', 'food']

Avant :     Went last friday at 7pm. This place is definitely not worth the money.

My lobster bisque and ribeye
Après :     ['pm', 'place', 'money', 'lobster', 'wife', 'shrimp_cocktail', 'dollar', 'piece', 'shrimp_cocktail', 'sauce']

Avant :     I came here for lunch and was very disappointed.  Bland and expensive for the amount and quality of 
Après :     ['come', 'lunch', 'disappoint', 'amount', 'quality', 'food', 'receive', 'food', 'waste', 'hour']

Avant :     Very disappointed overall. The service was average. The setting seemed no different than that of a r
Après :     ['service', 'setting', 'seem', 'restaurant', 'food', 'part', 'boyfriend', 'love', 'food', 'valentine']

Avant :     The best part of my dinner this evening was the chips and salsa. I ordered La Bandera (3 different e
Après :     ['part', 'dinner', 'evening', 'chip', 'order', 'wife', 'order', 'portion_size', 'come', 'cast']

Avant :     Sunday, Aug 26 2018 must have been a very bad day there.
 The stacked nachos were not near as good t
Après :     ['day', 'stack', 'nachos', 'use', 'stack', 'burn', 'want', 'try', 'serve', 'tortilla']

Avant :     Pass on this one, we have tried many times to like.

Just not good! 

Service 2
Wait 1
Food 2
Value 
Après :     ['pass', 'try', 'time', 'service', 'wait', 'food', 'value']

Avant :     Had high hopes for Convivio since the pasta is freshly made. We had the meatball appetizer, the riga
Après :     ['hope', 'convivio', 'pasta', 'make', 'appetizer', 'food', 'flavor', 'bread', 'flavor', 'oil']

Avant :     1  only because you can't give NO stars!  I do not think I have ever had a worse breakfast in my lif
Après :     ['give_star', 'think', 'breakfast', 'life', 'order', 'home', 'fry', 'say', 'omelette', 'make']

Avant :     It's not the greatest jack in the box I have been to but I feel like all fast food in the city is gr
Après :     ['box', 'feel', 'food', 'city', 'try', 'spot']

Avant :     Horrible customer service. Ask for 12 tacos no lettuce, get them home, all 12 tacos have lettuce. Ca
Après :     ['customer_service', 'call', 'let_know', 'make', 'call', 'ask', 'manager', 'talk', 'phone', 'call']

Avant :     I tried the chili dog with cheese mustard and onions with a side of fries.  The service was friendly
Après :     ['try', 'dog', 'cheese', 'mustard', 'onion', 'side', 'fry', 'service', 'part', 'order']

Avant :     A notch above food court Asian grub.  Having tried it once, I won't be back for another go.
Après :     ['notch', 'food', 'court', 'try']

Avant :     The staff wasn't too interested in helping customers, instead focused on the TV in the lobby, flirti
Après :     ['staff', 'help', 'customer', 'focus', 'tv', 'lobby', 'flirt', 'stand', 'find', 'food']

Avant :     Thought it was nasty. Didn't like the sauce and hated the cheese. I've never not liked cheese but th
Après :     ['think', 'sauce', 'hate', 'cheese', 'like', 'cheese', 'taste', 'cheese']

Avant :     We got a couple of cheese pizzas. Extremely thin. Like cheese on a cracker. They say the cheese is a
Après :     ['couple', 'cheese', 'pizza', 'cheese', 'cracker', 'say', 'cheese', 'mix', 'taste', 'velveeta']

Avant :     Pizza was pretty nasty. The sauce was not pizza sauce. It was like pizza sauce with mayo. Reasonable
Après :     ['pizza', 'sauce', 'pizza', 'sauce', 'pizza', 'sauce', 'mayo', 'salad', 'bar', 'good']

Avant :     Super crispy cracker crust. Gooey paste of "cheese mixed in with a whole lot of oil, and a bit too m
Après :     ['crust', 'gooey', 'paste', 'cheese', 'mix', 'lot', 'oil', 'bit', 'sauce', 'ton']

Avant :     Probably the worst pizza I have ever had. I read the reviews, saw they were mixed and tried it anywa
Après :     ['pizza', 'read_review', 'see', 'try', 'yuck', 'agree', 'reviewer', 'cheese', 'pizza', 'taste']

Avant :     The worst. I love the pizza but the service is always bad. We ordered a pizza for delivery last nigh
Après :     ['love', 'pizza', 'service', 'order', 'pizza', 'delivery', 'night', 'wait', 'hour', 'see']

Avant :     Feels sort of like a private club. Everyone seems to know each other, which is great if you're a reg
Après :     ['feel', 'club', 'seem', 'know', 'food', 'drink', 'feel', 'party', 'house']

Avant :     Overpriced Salad was the best part of dining experience by far. After appetizer,  one Salad, and a f
Après :     ['overprice', 'salad', 'part', 'dining_experience', 'appetizer', 'salad', 'drink', 'tip', 'bill', 'problem']

Avant :     A big disappointment.  It began to rain heavily soon after boarding and we had a difficult time find
Après :     ['disappointment', 'begin', 'rain', 'board', 'time', 'find', 'place', 'sit', 'wait', 'dinner']

Avant :     Probably my least favorite thing I did in New Orleans. It was a boring boat tour with a guide that h
Après :     ['thing', 'boat', 'tour', 'guide', 'accent', 'feel', 'slur', 'hour', 'tour', 'insight']

Avant :     Skip it! Not worth the $27.50. The cruise itself is really boring; all you can see is trees on the s
Après :     ['skip', 'cruise', 'see', 'tree', 'side', 'narrative', 'tell', 'battlefield', 'plantation', 'building']

Avant :     I give a couple of stars because the steamboat ride itself was really nice and the jazz band added a
Après :     ['give', 'couple', 'star', 'steamboat', 'ride', 'jazz', 'band', 'add', 'nawlin', 'touch']

Avant :     The food was cold and disgusting.  The waitress was rude. We were supposed to get a glass of wine bu
Après :     ['food', 'disgusting', 'waitress', 'suppose', 'glass_wine', 'experience', 'recommend', 'tour']

Avant :     BORING. 

The food was ok  - jazz band was cool. 

Steamboats are lovely but this was not a highligh
Après :     ['food', 'jazz', 'band', 'steamboat', 'highlight', 'stay', 'dock', 'hour', 'food', 'fun']

Avant :     Ok ride, food not worth the price. Not much to see along the Mississippi but other ships and warehou
Après :     ['ride', 'food', 'price', 'see', 'ship', 'warehouse', 'save_money', 'airboat', 'ride']

Avant :     How do people like this?!?! The music is the most terrible noise I've ever heard. I think it made my
Après :     ['people', 'music', 'noise', 'hear', 'think', 'make', 'ear', 'bleed']

Avant :     Took the Sunday brunch cruise and was pretty disappointed. As many people have already stated, the f
Après :     ['take', 'brunch', 'cruise', 'people', 'state', 'food', 'service', 'dying', 'surround', 'sweaty']

Avant :     For the cost it seems cheap to go up the port and only turn around and no food or refreshments! Was 
Après :     ['cost', 'seem', 'port', 'turn', 'food', 'refreshment']

Avant :     The only exciting thing about this river tour is that you are on the Mississippi River.  Other than 
Après :     ['thing', 'river', 'starter', 'wait_line', 'board', 'boat', 'take', 'picture', 'way', 'tell']

Avant :     We only gave two stars due to experience. We went on the brunch cruise. The food was TERRIBLE. Dry h
Après :     ['give_star', 'experience', 'cruise', 'food', 'cheese', 'grit', 'variety', 'serve', 'water', 'ice_tea']

Avant :     Boarded and went to buffet. Food cold, tasteless and unappealing. Fortunately, we were able to jump 
Après :     ['food', 'unappealing', 'jump', 'ship', 'departure', 'value', 'money', 'band', 'joke', 'save']

Avant :     Pretty disappointing!  Other than some additional views of the French quarter, there really isn't an
Après :     ['view', 'quarter', 'see', 'bank', 'river', 'warehouse', 'abandon', 'factory', 'guide', 'try']

Avant :     Enjoyed the cruise, the band was good but food is AWFUL!!! I've had better TV dinners.   Dinner crui
Après :     ['enjoy', 'cruise', 'band', 'food', 'tv', 'dinner', 'dinner', 'cruise', 'take', 'cruise']

Avant :     They say service can make or break an experience. The rudeness of the woman serving food was shockin
Après :     ['say', 'service', 'make', 'break', 'experience', 'rudeness', 'woman', 'serve', 'food', 'shock']

Avant :     Why would anyone do this? There is nothing to see on the Mississippi River!!! Unless you like lookin
Après :     ['see', 'look', 'shipping', 'boat', 'refinery', 'eat', 'food', 'look', 'music', 'sound']

Avant :     I've been to NOLA several times already, if this was my first experience I would have been disappoin
Après :     ['time', 'experience', 'disappoint', 'watch', 'water', 'announcer', 'hint', 'disappoint', 'distinguish', 'opinion']

Avant :     Honestly, this was a waste of time. Don't recommend. Information was pretty much useless.
Après :     ['waste_time', 'recommend', 'information']

Avant :     Great boat ride with decent narration.

The bar on the upper deck was a set back...horrible service.
Après :     ['boat', 'ride', 'narration', 'bar', 'deck', 'set', 'service', 'bartender_rude', 'give', 'attitude']

Avant :     My husband is a huge fan of Chinese buffets, but this place did not live up to its name. At all. We 
Après :     ['husband', 'fan', 'buffet', 'place', 'name', 'minute', 'open', 'expect', 'food', 'buffet']

Avant :     I use to love this restaurant. It's close by to my house, has decent food and modest prices. But hon
Après :     ['use_love', 'restaurant', 'house', 'food', 'price', 'time', 'visit', 'come', 'stomach', 'food']

Avant :     The Crab Rangoon was very fishy tasting with a bad texture. The Sushi seemed fairly old and was fall
Après :     ['rangoon', 'taste', 'texture', 'seem', 'fall', 'rest', 'dish', 'thing', 'miss', 'label']

Avant :     If you like New China buffet at Speedway and Wilmot, give this buffet a pass. The sushi isn't nearly
Après :     ['give', 'side', 'table', 'stuff', 'side', 'dessert', 'staff', 'know', 'buffet', 'choice']

Avant :     At 1pm I expect food to be fresher...not dry. As I remember iced tea refills should be free but we w
Après :     ['expect', 'food', 'remember', 'tea', 'refill', 'bill', 'refill', 'server', 'tell', 'front']

Avant :     A friend told me that they had a sushi bar here so I wanted to try it. It actually wasn't great at a
Après :     ['friend', 'tell', 'want', 'try', 'rest', 'buffet', 'notice', 'way', 'bar', 'try']

Avant :     OMG!!! The food was nasty. Flavors were horrible and almost everything was over cooked. Meat is not 
Après :     ['food', 'flavor', 'cook', 'meat', 'suppose', 'choke', 'plate', 'leave', 'girl', 'make']

Avant :     I really wanted to like this place...it's super clean, it's close to base, and it's a really great p
Après :     ['want', 'place', 'base', 'price', 'lunch_buffet', 'variety', 'food', 'make', 'hand', 'headache']

Avant :     My family and I love Chipotle!   We choose this chain most often when considering fast food.   This 
Après :     ['family', 'love', 'chipotle', 'choose', 'chain', 'consider', 'food', 'location', 'terrible', 'order']

Avant :     OMG- i can't believe that how these guys will ruined your food.. Very nasty service. Asked something
Après :     ['believe', 'guy', 'ruin', 'food', 'service', 'ask', 'lemon', 'care_customer', 'say', 'staff']

Avant :     This location is absolutely filthy dirty. The food is cold and the employees are extremely rude. I I
Après :     ['location', 'food', 'employee', 'know', 'people', 'continue', 'come', 'stay', 'condition']

Avant :     The food is always good here but the employees are very very slow. There's always a massive line,  o
Après :     ['food', 'employee', 'slow', 'line', 'influx', 'people', 'service']

Avant :     Not up to chipotle standards. As a whole, I love chipotle but this location is subpar. They are alwa
Après :     ['standard', 'love', 'chipotle', 'location', 'yesterday', 'salsa', 'chip', 'week', 'rice', 'veggie']

Avant :     Drove through the drive-through for a couple of double cheeseburgers and an order of sweet potato fr
Après :     ['drive', 'drive', 'cheeseburger', 'order', 'potato', 'fry', 'bottom', 'burn', 'burger', 'roll']

Avant :     The food here was just average and definitely not worth the price. Service was ok but nothing specia
Après :     ['food', 'price', 'service', 'part', 'place', 'owner', 'care', 'staff', 'see', 'letter']

Avant :     The food was tasty service not so good two of us got our plates then the third person then finally t
Après :     ['food', 'service', 'plate', 'person', 'person', 'ask', 'appetizer', 'feel_rush', 'lot', 'money']

Avant :     First time trying this place as we always drive past it. We felt so rushed. We were looking for a re
Après :     ['time', 'try', 'place', 'drive', 'past', 'feel_rush', 'look', 'relax', 'date', 'night']

Avant :     Service and coffee is not what it used to be. I went every morning on my way into work for the last 
Après :     ['service', 'coffee', 'use', 'morning', 'way', 'work', 'year', 'drive', 'way', 'ensure']

Avant :     I use to love going here but service has severely fallen short recently. The food and drinks are sti
Après :     ['use_love', 'service', 'fall', 'food', 'drink', 'problem', 'come', 'order', 'drink', 'food']

Avant :     King Crap Legs were dry.  Scallops weren't that great.   Quiet expensive for the quality that wasn't
Après :     ['leg', 'scallop', 'quality', 'look', 'want']

Avant :     Let me start by saying our waiter was terrific. He was attentive, friendly, and very deserving of th
Après :     ['let_start', 'say', 'tip', 'receive', 'say', 'food', 'crab_cake', 'look', 'taste', 'find']

Avant :     Last Sunday the 13th the family stopped in for lunch. Friendly staff. TVs if you care to watch a gam
Après :     ['family', 'stop_lunch', 'staff', 'care', 'watch_game', 'wife', 'clam', 'starter', 'split', 'sandwich']

Avant :     We had dinner at PJ's on 4/23/11...I ordered clam chowder. Honestly it was the consistency of paste 
Après :     ['dinner', 'order', 'consistency', 'paste', 'taste', 'look', 'try', 'stretch', 'batch', 'gooey']

Avant :     Ugh...  Another Florida fried- food tourist trap. I steered away from the menu and tried the crap st
Après :     ['fry', 'food', 'tourist_trap', 'steer', 'menu', 'try', 'crap', 'stuff', 'portion_size', 'fist']

Avant :     I read 12 good reviews on here and had to try it. I was disappointed. The food was okay, the gumbo i
Après :     ['read_review', 'try', 'disappoint', 'food', 'gumbo', 'write', 'tomato', 'base', 'roux', 'tomato']

Avant :     I've been going to Benihana's for years.  Back in the day they were the only place I knew that did t
Après :     ['benihana', 'year', 'day', 'place', 'know', 'thing', 'love', 'watch', 'dice', 'knife']

Avant :     My husband called ahead to find out what time the happy hour ended because his pregnant wife was cra
Après :     ['husband', 'call', 'find', 'time', 'hour', 'end', 'wife', 'crave', 'menu_item', 'tell']

Avant :     Just left our dinner. First time and will not be back.  It was freezing inside. The whole restaurant
Après :     ['leave', 'dinner', 'time', 'freeze', 'restaurant', 'wear', 'winter', 'jacket', 'meal', 'food']

Avant :     I love the food and the experience here, but the food pricing is one big hustle.

An extra charge fo
Après :     ['love', 'food', 'experience', 'food', 'pricing', 'charge', 'friend', 'rice', 'fry_rice', 'kind']

Avant :     OVER-RATED.  We got there early so thankfully the waitress "let" us take our time making a selection
Après :     ['rate', 'waitress', 'let', 'take', 'time', 'make', 'selection', 'roll', 'salad', 'soup']

Avant :     I would be embarrassed to bring anyone here.
Sat for ten minutes and only had a menu tossed in front
Après :     ['bring', 'sit', 'minute', 'menu', 'toss', 'front']

Avant :     Per your request, I did go on your website and post my complaint. To my surprise I did not receive a
Après :     ['request', 'website', 'post', 'complaint', 'surprise', 'receive_response', 'kudo', 'customer_service']

Avant :     I was really craving hibachi so we attempted a Saturday night dinner. I hate giving restaurants bad 
Après :     ['crave', 'attempt', 'night', 'dinner', 'hate', 'give', 'restaurant', 'review', 'miss_mark', 'service_slow']

Avant :     This place is disgusting . It was Empty on a Friday night. I should have walked out. My husband and 
Après :     ['place', 'disgust', 'night', 'walk', 'husband', 'stomach', 'hand', 'hibatchi']

Avant :     Went here for the express lunch. I was disappointed to find out that the express lunch is not made a
Après :     ['lunch', 'disappoint', 'find', 'lunch', 'make', 'table', 'order', 'steak', 'shrimp', 'combo']

Avant :     Went last night for my son's bday. The place had no working heat. Employee told me that it's been th
Après :     ['night', 'work', 'heat', 'employee', 'tell', 'way', 'day', 'space', 'heater', 'wife']

Avant :     I have been to a few hibachi places and this is by far one of the worst. The food was mediocre and w
Après :     ['place', 'food', 'way_overprice', 'charge', 'fry_rice', 'bull', 'say', 'post', 'lobster', 'charge']

Avant :     While out of town we found this place to eat. 
The food was great--especially the soup which was to 
Après :     ['town', 'find', 'place', 'eat', 'food', 'soup', 'die', 'food', 'allergy', 'offer']

Avant :     Our group of six diners had a very uneven experience. The restaurant air conditioning was not workin
Après :     ['group', 'diner', 'experience', 'restaurant', 'air_conditioning', 'work', 'service', 'experience', 'take', 'hour']

Avant :     Terrible. Overrun with pretentious yuppies, babies and dogs. No point in standing in line for small 
Après :     ['overrun', 'yuppie', 'baby', 'dog', 'point', 'stand_line', 'portion', 'overprice', 'dinner', 'idea']

Avant :     Great idea. Poorly executed. 

I stopped by to try some food, unfortunately the lines were extremely
Après :     ['idea', 'execute', 'stop', 'try', 'food', 'line', 'impression', 'swing', 'grab', 'dinner']

Avant :     I showed up late to night market around 9:20 after just getting out of work incredibly tired and hun
Après :     ['show', 'night', 'market', 'work', 'see', 'line', 'taco', 'sandwich', 'truck', 'serve']

Avant :     The South Street Night Market (Aug 15, 2013) was my 1st Night Market experience, and quite possibly,
Après :     ['night', 'market', 'night', 'market', 'experience', 'way', 'crowd', 'line', 'vegan_option', 'understand']

Avant :     disappointing.

maybe i wouldn't have been disappointed if i hadn't been under the impression it was
Après :     ['impression', 'farmer', 'market', 'bunch', 'line', 'bunch', 'lunch', 'truck', 'thinking', 'friend']

Avant :     The South Street Night Market was just another nail sealing me in my "I'm officially too old for thi
Après :     ['night', 'market', 'nail', 'seal', 'sort', 'thing', 'coffin', 'make_mistake', 'time', 'crowd']

Avant :     I really wanted to like this (Northern Liberties version!) Too many people and not enough trucks. Se
Après :     ['want', 'liberty', 'version', 'people', 'truck', 'service', 'food', 'event', 'wtf', 'charge']

Avant :     Total disaster. I was excited all day! I was so pleased when I got there and it was busy, not a ghos
Après :     ['disaster', 'excite', 'day', 'ghost', 'town', 'fear', 'line', 'scare', 'wait_line', 'truck']

Avant :     the customer service was so bad.that i left the restraunt before i took a seat.i will never return t
Après :     ['customer_service', 'restraunt', 'take', 'seat', 'return', 'place', 'want', 'service', 'place', 'eat']

Avant :     Come here iff you're drunk.  Nothing is bad just no flavor.  Just like you're eating the mush showed
Après :     ['come', 'iff', 'flavor', 'eat', 'mush', 'show', 'matrix', 'open', 'eat', 'jonese']

Avant :     Everything about this place is horrible! From the workers to the food to the treatment of their cust
Après :     ['place', 'worker', 'food', 'treatment', 'customer', 'thrive', 'service', 'food', 'worker', 'place']

Avant :     I feel like you have to TRY to screw up orders as bad as they do. Not only that but we had an experi
Après :     ['feel', 'try', 'screw', 'order', 'experience', 'kid', 'employee', 'scream', 'cuss', 'leave']

Avant :     I work 3rd shift and get off at 2am and there is very few places that are 24hrs. Twice in two nights
Après :     ['work', 'rd', 'shift', 'place', 'hrs', 'night', 'deny', 'burger', 'say', 'grill']

Avant :     Continuously ** HORRIBLE SERVICE** They say its a training store, then some needs to train the train
Après :     ['service', 'say', 'training', 'store', 'need', 'train', 'trainer', 'make', 'order', 'request']

Avant :     Walked in and there were two waitstaff and a bunch of dirty tables.  The waitresses didn't seem to c
Après :     ['walk', 'bunch', 'table', 'waitress', 'seem_care', 'see', 'table', 'need', 'bus', 'take']

Avant :     Rachael was great at the front counter. My Chicago Style Frank was room temperature and there were n
Après :     ['room_temperature', 'napkin', 'bag']

Avant :     I heard a lot of good things, but I did not enjoy the experience. They don't take reservations for p
Après :     ['hear', 'lot', 'thing', 'enjoy', 'experience', 'take', 'reservation', 'party', 'avoid', 'wait']

Avant :     The atmosphere was very cute, but had over a 90 minute wait.  Not even any space to stand in the bar
Après :     ['atmosphere', 'minute', 'wait', 'space', 'bar', 'area', 'use', 'app', 'accept', 'reservation']

Avant :     Hands down worst service of any restaurant I've been to in STL. Food was decent, but service was eno
Après :     ['hand', 'service', 'restaurant', 'stl', 'food', 'service', 'return']

Avant :     Literally worst service ever. Goodish food, very skimpy wine pours, cute spot except for the extreme
Après :     ['service', 'food', 'wine', 'pour', 'spot', 'bathroom', 'star', 'repeat', 'service', 'server']

Avant :     Truly terrible service. The hipsters have the urgency of a tortoise and couldn't be less engaging or
Après :     ['service', 'hipster', 'urgency', 'tortoise', 'engage', 'wait', 'cocktail', 'watch', 'majority', 'staff']

Avant :     My daughter and I had lunch here on a Tuesday . I had been here twice before, but since those visits
Après :     ['visit', 'menu', 'change', 'menu', 'order', 'zucchini', 'salad', 'smoke', 'trout', 'sandwich']

Avant :     I will never eat there again. I ordered chicken Parmesan and after about four bites I realized my ch
Après :     ['eat', 'order', 'bite', 'realize', 'chicken', 'manager', 'say', 'happen', 'occurrence', 'place']

Avant :     Awful...
The menu sets you up for such high expectations and then everything comes out all messed up
Après :     ['menu', 'set', 'expectation', 'come', 'mess', 'food', 'service', 'burger', 'cook', 'say']

Avant :     Got stuffed shells and italian hoagie, very expensive and the food and the ppl who work there suck..
Après :     ['stuff', 'shell', 'food', 'work', 'suck', 'stay']

Avant :     Once for take out and never again.

Food: D (Maybe its just me but when I ask for sausage pizza i me
Après :     ['take', 'food', 'ask', 'sausage', 'pizza', 'mean', 'crust', 'sauce', 'cheese', 'sausage']

Avant :     I don't recommend this place. their menu is no substitution, their prices are high, and their food i
Après :     ['recommend', 'place', 'menu', 'substitution', 'price', 'food', 'people_work', 'attitude', 'road']

Avant :     First to be honest the food in this place has always been good and the server who brought our drinks
Après :     ['food', 'place', 'server', 'bring', 'drink', 'take', 'order', 'pm', 'tell', 'minute']

Avant :     Normally we love this place but I ordered the meatloaf and after a few bites I noticed the it was un
Après :     ['love', 'place', 'order', 'meatloaf', 'bite', 'notice', 'center', 'ask', 'waiter', 'pork']

Avant :     Would give no stars if I could!  BEWARE - STAY AWAY! Never seen an establishment that doesn't honor 
Après :     ['give_star', 'beware', 'stay', 'see', 'establishment', 'honor', 'price', 'website', 'owner', 'say']

Avant :     OK, so the vegetarian meatball sub is amazing but don't order it because 99.9% of the time they don'
Après :     ['sub', 'order', 'time', 'occasion', 'experience', 'customer_service', 'time', 'meat', 'live', 'street']

Avant :     the service is rather hit or miss...the crab fries are always too salty although i tend to forget un
Après :     ['service', 'hit', 'crab', 'fry', 'tend', 'forget', 'place', 'order', 'bucket', 'soy']

Avant :     I only rate two stars because of how delicious the food and wine was. my in laws and I were very ups
Après :     ['rate', 'star', 'food', 'wine', 'law', 'upset', 'celebrate', 'father', 'partner', 'birthday']

Avant :     Rip off. They fucked up my order and their prices are too high. UFO a Pizza is better.
Après :     ['rip', 'fuck', 'order', 'price', 'pizza']

Avant :     Have seen the commercials for the stuffed French toast & have always thought I should  try it. 

I s
Après :     ['see', 'commercial', 'stuff', 'toast', 'think', 'try', 'order', 'pancake', 'stuff', 'vanilla']

Avant :     Server sat behind us chilling with her buddys while we could see our food sitting. Said there was on
Après :     ['server', 'sit', 'chill', 'buddys', 'see', 'food', 'sit', 'say', 'person', 'cook']

Avant :     Terrible service!!!  I usually never complain but 20 min to get drinks?  45 minutes to get pizza?  T
Après :     ['service', 'complain', 'min', 'drink', 'minute', 'pizza', 'pizza', 'place', 'crank', 'thing']

Avant :     Went for lunch on 5/10/16, with a friend.  Service was great but food?  I had the Roasted Turkey wit
Après :     ['lunch', 'friend', 'service', 'food', 'mash_potato', 'bean', 'light', 'color', 'flavor', 'look']

Avant :     Worst Wawa in the Tri-State area. Always full of druggies, weirdos, creeps, panhandlers and the wors
Après :     ['state', 'area', 'druggie', 'weirdo', 'creep', 'panhandler', 'deli', 'staff']

Avant :     Unlike any Wawa I have ever seen. Typically they always have beautiful bathrooms and a clean atmosph
Après :     ['wawa', 'see', 'bathroom', 'atmosphere', 'bathroom', 'disgusting', 'look', 'seem', 'clean', 'month']

Avant :     Service is usually very good, expect the store to be busy as it is right by I-95 - no big deal. Ever
Après :     ['service', 'expect', 'store', 'deal', 'work', 'store', 'problem', 'panhandler', 'harass', 'customer']

Avant :     New management, a horrible woman clerk,tall and skinny with blond hair and glasses, she's out of con
Après :     ['management', 'woman', 'clerk', 'hair', 'glass', 'control', 'scream', 'husband', 'store', 'tell']

Avant :     We arrived at 5:30, planning to make a 7:30 show at the Saenger, a 5 minute walk away. After 15 minu
Après :     ['arrive', 'planning', 'make', 'show', 'minute', 'walk', 'minute', 'ask', 'menu', 'add']

Avant :     Dinner at Marti's the day after Memorial Day.  Nice hostess and attentive bartender.  Half price win
Après :     ['dinner', 'attentive', 'bartender', 'half', 'price', 'wine_glass', 'hour', 'dining_room', 'decorate', 'leather']

Avant :     Mostly good but if you have an issue with the food they tell you "tough" just like the beef sticks. 
Après :     ['issue', 'food', 'tell', 'beef', 'stick', 'staff', 'empower', 'help']

Avant :     I've never felt the need to write a review until now... Was super excited to try this place with som
Après :     ['feel', 'need', 'write_review', 'try', 'place', 'coworker', 'day', 'week', 'arrive', 'noon']

Avant :     I ordered a burger, fries & slaw. Awful, dry burger and EVERYTHING was too sallty, pretty much unedi
Après :     ['order', 'burger', 'sallty', 'waste_money', 'visit', 'live', 'want', 'food', 'drink', 'list']

Avant :     This place looks like a real bagel place, but those hard round things were not real bagels.

No comp
Après :     ['place', 'look', 'bagel', 'place', 'thing', 'bagel', 'complaint', 'service', 'price']

Avant :     I would agree with all of the negative reviews but not because of the rudeness--which they were not.
Après :     ['agree', 'review', 'bagel', 'shop', 'round', 'taste', 'mention', 'self', 'respect', 'shop']

Avant :     Please don't even think about comparing these pieces of crap to a NY bagel, because they're not even
Après :     ['think', 'compare', 'piece', 'crap', 'close', 'bread', 'ring', 'bear', 'raise', 'know']

Avant :     You want a good bagel? Don't go here. I was so hoping their bagel would be at least somewhat decent 
Après :     ['want', 'bagel', 'hope', 'crave', 'husband', 'noon', 'order', 'egg_bacon', 'cheese', 'cream_cheese']

Avant :     Had a grilled chicken sandwich on bun to go. Couldn't hold sandwich due to bottom bun being soggy.  
Après :     ['grill', 'sandwich', 'bun', 'hold', 'sandwich', 'decide', 'eat', 'meat', 'see', 'piece']

Avant :     I can write this review very easily because I was there to sample their beer and get a bite to eat b
Après :     ['write_review', 'sample', 'beer', 'bite', 'eat', 'walk', 'confuse', 'host', 'station', 'figure']

Avant :     Standard beer and pub food fare. We tried four different beers: the mango IPA, the kolsch, the Brett
Après :     ['beer', 'pub', 'food', 'fare', 'try', 'impress', 'wit', 'food', 'order', 'corn']

Avant :     E only thing I got that I liked was the PeckerWrecker IPA. Everything else was below average. Can't 
Après :     ['thing', 'like', 'peckerwrecker', 'ipa', 'average', 'see', 'place', 'night', 'dinner', 'beer']

Avant :     Menu has changed entirely with now an "English" focus to it. Most all the pastas are gone and just a
Après :     ['menu', 'change', 'focus', 'pasta', 'feel', 'beer', 'okay', 'pick']

Avant :     So, kind of disappointed.  Thought with an overall four star rating it would be decent.  My husband 
Après :     ['thought', 'star_rating', 'husband', 'lunch_buffet', 'salad', 'pizza', 'mediocre', 'beer', 'amber', 'husband']

Avant :     Cool to have a brewpub in this area. The beer I tasted was just okay, but in fairness I have not sam
Après :     ['brewpub', 'area', 'beer', 'taste', 'fairness', 'sample', 'beer']

Avant :     I'm a big fan of dives but this was just dirty looking.  I didn't even want to touch the doors to en
Après :     ['fan', 'dive', 'look', 'want', 'touch', 'door', 'enter', 'layer', 'scum', 'food']

Avant :     So disappointed. The breakfast burrito was not what I remember. It was flat and unfulfilling. Lackin
Après :     ['breakfast', 'burrito', 'remember', 'unfulfilling', 'lack', 'breakfast', 'underwhelme', 'give_star', 'fry', 'meal']

Avant :     Yesterday, our breakfast experience was the low point of our stay in Montecito. The dismissive wait 
Après :     ['yesterday', 'breakfast', 'experience', 'point', 'stay', 'wait', 'staff', 'manager', 'oversee', 'room']

Avant :     The place is dark and noisy. Service is good but at Montecito pace, i.e. slow. The Greek omelette wa
Après :     ['place', 'service', 'montecito', 'pace', 'omelette', 'bland', 'lack', 'season', 'potato', 'taste']

Avant :     Cheese Omelette: $12.00 (MAYBE two eggs and THREE SMALL "complimentary"* potatoes)
Orange Juice: $5.
Après :     ['cheese', 'omelette', 'egg', 'potato', 'side', 'avocado', 'eat', 'land', 'want', 'hear']

Avant :     I really want to give this place a million stars. But, the pizza was decent and the fettuccine Alfre
Après :     ['want', 'give', 'place', 'star', 'pizza', 'sauce', 'bit', 'flavor', 'delivery', 'person']

Avant :     Good food.  Terrible service.  Throughout the entire meal, the waitress we had made it feel as if sh
Après :     ['food', 'service', 'meal', 'waitress', 'make', 'feel', 'favor', 'wait', 'spend', 'time']

Avant :     We ate there last night. The food was great but our waiter was TERRIBLE and RUDE. I'd love to give t
Après :     ['eat', 'night', 'food', 'love', 'give', 'restaurant', 'score', 'service', 'waiter', 'leave']

Avant :     Followed great recommendations and went for light lunch.  Thirty minutes for Minestrone seems a litt
Après :     ['follow', 'recommendation', 'lunch', 'minute', 'minestrone', 'seem', 'comparison', 'campbell', 'wonder', 'recommendation']

Avant :     I really wanted to like this restaurant. Living with in walking distance and a lover of Italian food
Après :     ['want', 'restaurant', 'live', 'walking', 'distance', 'food', 'start', 'mix', 'salad', 'taste']

Avant :     We have often eaten at this Chili's and I've had what I thought were excellent ribs - "fall off the 
Après :     ['eat', 'chili', 'think', 'rib', 'fall', 'bone', 'yesterday', 'stop', 'dinner', 'custom']

Avant :     If you order the same type of meals they will make a meal for one and split the amount of meat with 
Après :     ['order', 'type', 'meal', 'make', 'meal', 'split', 'amount', 'meat', 'platter', 'meat']

Avant :     Definitely a locals place. It's not in the safest feeling area-- entrance out back with limited ligh
Après :     ['local', 'place', 'feeling', 'area', 'entrance', 'lighting', 'recommend', 'update', 'place', 'bowl']

Avant :     Tried the loco moko, which is like a sautéed burger patty in sauce- that was okay. That lunch platte
Après :     ['try', 'moko', 'sauteed', 'sauce', 'lunch', 'come', 'side', 'pick', 'corn', 'cheese']

Avant :     Just ok. The grits are very watery and the biscuits are never baked through, eggs are runny and the 
Après :     ['grit', 'biscuit', 'bake', 'egg', 'runny', 'lunch', 'food', 'lady', 'work', 'lady']

Avant :     The emperor has no clothes. 4 of us on the grand tasting, the only thing grand was that it almost co
Après :     ['emperor', 'clothe', 'taste', 'thing', 'cost', 'food', 'prepare', 'cramp', 'space', 'love']

Avant :     So we spent $600.. No big deal. We just moved to Philly from Manhattan... We were expecting the best
Après :     ['spend', 'deal', 'move', 'expect', 'boy', 'surprise', 'love', 'salt', 'jam', 'dish']

Avant :     The emperor has no clothes. The tasting menu was good but tiny and frankly not worth the price tag. 
Après :     ['emperor', 'clothe', 'taste', 'menu', 'price_tag', 'embarrass', 'fall', 'hype', 'dish', 'make']

Avant :     I booked my stay with breakfast for two included ($10 more than base rate). However, breakfast is NO
Après :     ['book', 'stay', 'breakfast', 'include', 'base', 'rate', 'breakfast', 'include', 'desk', 'give']

Avant :     I walked in to the red hot and blue ( real horrible and bad)  and was greeted by a lovely hostess na
Après :     ['walk', 'greet', 'hostess', 'name', 'kaliyah', 'give', 'say', 'take', 'order', 'min']

Avant :     Writing this review in the middle of the night because, for the second night in a row, my children a
Après :     ['write_review', 'night', 'night', 'row', 'child', 'awaken', 'fire', 'alarm', 'alarm', 'tonight']

Avant :     I used to love this hotel and though the customer service is still decent, the rooms are gross. All 
Après :     ['use_love', 'hotel', 'customer_service', 'room', 'lampshade', 'break', 'water', 'stain', 'ceiling', 'crack']

Avant :     In short, decent but overpriced.  

I stopped in to have lunch on a Saturday, and was shocked to fin
Après :     ['overprice', 'stop_lunch', 'find', 'take', 'entree', 'price', 'ask', 'lunch', 'menu', 'tell']

Avant :     Overly overly priced Chinese food that is just the same as the fast Chinese food joints and no diffe
Après :     ['price', 'food', 'food', 'joint', 'difference', 'quality', 'charge', 'imitation', 'crab', 'soup']

Avant :     Meh. Not bad, but not very good either. I love Mexican food, but would not return here by choice. Ca
Après :     ['meh', 'love', 'food', 'return', 'choice', 'recommend']

Avant :     We were told that this is THE place to eat for Mexican/Tex-Mex food in O'fallon. Wrong. The food was
Après :     ['tell', 'place', 'eat', 'fallon', 'food', 'save', 'business', 'star', 'flavor', 'buffet']

Avant :     I am giving this restuarant one star because we did not dine there. We attempted to though. We showe
Après :     ['give', 'restuarant', 'star', 'dine', 'attempt', 'show', 'night', 'parking_lot', 'see', 'line']

Avant :     The service is fine, the food is okay. I don't understand the raves about the food. Chicken tortelli
Après :     ['service', 'food', 'understand', 'rave', 'food', 'chicken', 'tortellini', 'lobster', 'ravioli', 'sauce']

Avant :     First of all I like this place. Been here three times before. But the starter of Arincini the middle
Après :     ['place', 'time', 'restaurant', 'precook', 'food', 'groupon', 'place', 'stop', 'make', 'food']

Avant :     While the food and service were fine, we got some annoying run-around regarding one of their Groupon
Après :     ['food', 'service', 'fine', 'run', 'regard', 'groupon', 'offer', 'redeem', 'reason', 'define']

Avant :     Nice atmosphere and nice people, BUT the food was amazingly flavorless. We had the shepherd salad (t
Après :     ['atmosphere', 'people', 'food', 'flavorless', 'salad', 'tomatoe', 'cucumber', 'onion', 'feta', 'need']

Avant :     Probably the most disappointing breakfast in the area. Lovely patio, nice staff, irredeemably awful 
Après :     ['breakfast', 'area', 'patio', 'staff', 'food', 'fatty', 'bacon', 'potato', 'toast', 'disaster']

Avant :     Service average. Food average. Atmosphere average. Meh describes my whole experience.
Après :     ['service', 'food', 'atmosphere', 'meh', 'describe', 'experience']

Avant :     Apparently a call ahead isn't what I thought...according to the turning point. Although, another rev
Après :     ['call', 'thought', 'accord', 'turn', 'point', 'review', 'state', 'call', 'minute', 'arrive']

Avant :     I'm giving this place two stars because the food is generally very good, but my experience today wit
Après :     ['give', 'place', 'star', 'food', 'experience', 'today', 'restaurant', 'waitress', 'take', 'food']

Avant :     I stopped for breakfast at turning point for first time,eggs and bacon,bacon microwaved,potatoes wer
Après :     ['stop', 'breakfast', 'turning', 'point', 'time', 'egg_bacon', 'bacon', 'microwave', 'potato', 'breakfast']

Avant :     Guy at the counter was rude, the place was filthy, and all around horrible! Would/will not recommend
Après :     ['place', 'recommend', 'place']

Avant :     My family shared a cookie sundae: a large cookie with a large scoop of ice cream, with fudge and whi
Après :     ['family', 'share', 'cookie', 'sundae', 'cookie', 'scoop', 'ice_cream', 'fudge', 'whip', 'cream']

Avant :     Good concept, but questionable execution. The half pound cookies are a must have. We tried one for o
Après :     ['concept', 'execution', 'pound', 'cookie', 'try', 'family', 'ice_cream', 'sundae', 'cookie', 'fudge']

Avant :     Very very very rude white older man behind the counter. Cannot rate food because I walked out withou
Après :     ['man', 'counter', 'rate', 'food', 'walk', 'buy', 'attitude']

Avant :     Service by our server was great. But the rest of the staff seemed to be more interested i. Each othe
Après :     ['service', 'server', 'rest', 'staff', 'seem', 'help', 'server', 'swamp', 'take', 'minute']

Avant :     Ate at your restaurant at exit 19 on I-4 (Plant City) on Sat 4/19/14..

Couldn't have been more disa
Après :     ['eat', 'restaurant', 'exit', 'plant', 'city', 'sit', 'glass', 'house', 'wine', 'display']

Avant :     Under new management and service sucks.  Never got our food.  The waitress did not pay attention to 
Après :     ['management', 'service', 'suck', 'food', 'waitress', 'pay_attention', 'fact', 'sit', 'minute', 'food']

Avant :     Very prompt curbside takeout! Our order is always correct and cooked just the way we ordered it :-) 
Après :     ['prompt', 'takeout', 'order', 'way', 'order', 'thank', 'coupon', 'app', 'use', 'time']

Avant :     Regular Outback customers throughout the US -- this facility was the worst we ever patronized.  Bloo
Après :     ['outback', 'customer', 'facility', 'patronize', 'bloomin', 'onion', 'bread', 'steak', 'crab', 'top']

Avant :     I was on my way to Orlando and decided to stop here for a couple of beers and a bite to eat.  I came
Après :     ['way', 'orlando', 'decide', 'stop', 'couple', 'beer', 'bite', 'eat', 'come', 'afternoon']

Avant :     Wow the quality of this place has plummeted. I can't believe how dirty this place the table were gro
Après :     ['quality', 'place', 'plummet', 'believe', 'place', 'table', 'appetizer', 'plate', 'order', 'steak']

Avant :     Went this morning to get some chicken and waffles, decided to go first thing when they open. There w
Après :     ['morning', 'chicken', 'waffle', 'decide', 'thing', 'table', 'table', 'table', 'seem', 'people_work']

Avant :     We signed our name on the waiting list and waited 20 mins while the owner purposely overlooked our n
Après :     ['sign', 'name', 'waiting', 'list', 'wait_min', 'owner', 'overlook', 'name', 'seat', 'table']

Avant :     Soft shell crab is advertised and the waitress said it has not been available for approximately over
Après :     ['crab', 'advertise', 'waitress', 'say', 'year', 'gumbo', 'shrimp', 'salad', 'shrimp', 'lack']

Avant :     The absolute WORST experience ever! Our server was RUDE, LOUD, and down right DISGUSTING. They need 
Après :     ['experience', 'server', 'rude', 'need', 'hire', 'staff', 'time', 'come', 'come', 'party']

Avant :     Stayed at tradewinds and thought beef o bradys would be a good idea.  Not so much

I ordered blacken
Après :     ['stay', 'tradewind', 'think', 'beef', 'idea', 'order', 'blacken', 'fish', 'daughter', 'order']

Avant :     Ok, you know that smell of wet dog, thats how the wings taste. Most of my family had burgers and all
Après :     ['smell', 'dog', 'wing', 'taste', 'family', 'burger', 'dry']

Avant :     Yeah I get it, the food will be expensive because it's a resort. However, the sirloin steak was toug
Après :     ['food', 'resort', 'sirloin', 'steak', 'flavorless', 'burger', 'order', 'fish_chip', 'fish', 'cut']

Avant :     The service from
Here is great as all the people that I have met at this resort seem to be always he
Après :     ['service', 'people', 'meet', 'resort', 'seem', 'food', 'price', 'elevate', 'stomach', 'hour']

Avant :     Food was ok but service was terrible. Management team needs a class on conflict resolution and custo
Après :     ['food', 'service', 'management_team', 'need', 'class', 'conflict', 'resolution', 'customer_service']

Avant :     Had fish and chips sent them back they appeared to be frozen fish sticks. Service was extremely slow
Après :     ['fish_chip', 'send', 'appear', 'fish', 'stick', 'service', 'wife', 'wing', 'mediocre']

Avant :     1 star is all I can give here. I worked at tradewinds and had 45 minutes to eat. I ordered a fish an
Après :     ['give', 'tradewind', 'minute', 'eat', 'order', 'fish_chip', 'worker', 'order', 'wing', 'ask']

Avant :     This restaurant supports the Tradewinds resorts so I can only assume they have a captive audience.  
Après :     ['restaurant', 'support', 'tradewind', 'resort', 'assume', 'audience', 'food', 'service', 'atmosphere', 'place']

Avant :     First of all: the name is as tacky as the interior. That being said, "Beef" has average bar food and
Après :     ['name', 'interior', 'say', 'beef', 'bar', 'food', 'sub', 'service', 'waiter', 'drink']

Avant :     As a 12 year Customer of the Inn and Restaurant and previous raving Five star supporter....I'm sad t
Après :     ['year', 'customer', 'inn', 'restaurant', 'rave', 'star', 'supporter', 'say', 'magic', 'seem']

Avant :     I ordered the America burger.  This is not a burger.  It is ground meat on a biscuit like half bun. 
Après :     ['order', 'grind', 'meat', 'biscuit', 'bun', 'portion', 'child', 'size', 'pop', 'taste']

Avant :     This is a terrible place to get in and out of. The donuts taste like they been cooked in Used Oil. T
Après :     ['place', 'donut', 'taste', 'cook', 'use', 'oil', 'employee', 'seem', 'look', 'bother']

Avant :     Nice set up, decent atmosphere and friendly staff, immaculate clean bathroom... *BUT* was truly serv
Après :     ['set', 'atmosphere', 'staff', 'immaculate', 'bathroom', 'serve', 'cup', 'ice_tea', 'lifetime', 'hyperbolic']

Avant :     Dear Mary (the owner), I'm very disappointed.   I came here on Sunday (feb 11) at 5:11.  Friendly co
Après :     ['owner', 'disappoint', 'come', 'counter', 'person', 'ask', 'roast', 'find', 'accomodating', 'say']

Avant :     Closed as of 1/3/13. If you bought a Groupon you can redeem it at Marhaba across the bridge in Lambe
Après :     ['buy', 'groupon', 'redeem', 'marhaba', 'bridge', 'lambertville']

Avant :     Sorry this place probably has the worst fast food. Their food just taste pre made/ frozen. The noodl
Après :     ['place', 'food', 'food', 'taste', 'pre_make', 'noodle', 'order', 'stick', 'ball', 'concept']

Avant :     The resturant gets a star for cleanliness, but the food sucked! 
I ordered the Thai Curry Soup with 
Après :     ['star', 'cleanliness', 'food', 'suck', 'order', 'fry', 'chew', 'rubber', 'square', 'soup']

Avant :     Found a hair in my pho, my friend had the beer pho and there was no beef it was all fat. Booba tea w
Après :     ['find_hair', 'pho', 'friend', 'beer', 'pho', 'beef', 'tea', 'need', 'put', 'ball']

Avant :     Worst Chinese food I ever had! Their sweet and sour chicken (all Chinese restaurants' bread and butt
Après :     ['food', 'chicken', 'restaurant', 'bread', 'butter', 'screw', 'taste', 'sea', 'food', 'take_bite']

Avant :     Bad service. Bad food (I ordered bun bo hue). I don't recommend this place. Not authentic by any mea
Après :     ['service', 'food', 'order', 'hue', 'recommend', 'place', 'mean']

Avant :     This was a horrible experience. Although the restaurant was clean and our takeout order was prepared
Après :     ['experience', 'restaurant', 'takeout', 'order', 'prepare', 'restaurant', 'food', 'order', 'spring_roll', 'beef']

Avant :     Avoid the Shepherd's Pie. It's a complete rip off. It's 2 pounds of mashed potatoes with a thin laye
Après :     ['avoid', 'pie', 'rip', 'pound', 'mash_potato', 'layer', 'meat', 'middle', 'keep', 'dig']

Avant :     Tried out Jackson's as a new restaurant on Tanque Verde.  We won't be back.  They have a huge select
Après :     ['try', 'verde', 'selection', 'booze', 'limit', 'selection', 'food', 'order', 'shave', 'tell']

Avant :     Been here twice now.  Both times I ordered a caesar salad with chicken, and both times it was a bust
Après :     ['time', 'order', 'bust', 'produce', 'wilt', 'brown', 'douse', 'dressing', 'counter', 'service']

Avant :     The food here is good. It's solid and a healthy option that I would frequent more often if it wasn't
Après :     ['food', 'option', 'frequent', 'service', 'problem', 'take', 'order', 'wait', 'fact', 'person']

Avant :     This place makes Whole Foods seem like a bargain! Seriously expensive, and not in that oh-it's-so-go
Après :     ['place', 'make', 'food', 'seem', 'bargain', 'splurge', 'way', 'salad', 'day', 'reason']

Avant :     Literally one of the worst places I've been in years. 10 minutes to get a drink, food swimming in gr
Après :     ['place', 'year', 'minute', 'drink', 'food', 'grease', 'season', 'thing', 'side', 'salad']

Avant :     Food is generally good but service is almost always bad- don't have enough people working. Place cou
Après :     ['food', 'service', 'people_work', 'place', 'hunt', 'silverware', 'fry', 'penne', 'signature', 'dish']

Avant :     Wow! What can I say. I know this place is under new ownership but it is absolutely worse than it was
Après :     ['say', 'know', 'place', 'ownership', 'owner', 'take', 'minute', 'hour', 'waiter', 'take']

Avant :     Food was good and tasty and reasonably priced but my god please clean your bathrooms!!!
Après :     ['food', 'tasty', 'price', 'bathroom']

Avant :     We were very displeased by this restaurant. There was one server on the floor. We received dinner sa
Après :     ['restaurant', 'server', 'floor', 'receive', 'dinner', 'salad', 'appetizer', 'come', 'wait_minute', 'salad']

Avant :     Pros:
- good drinks
- nice bar atmosphere
-tvs for the game

Cons:
The food
- extremely overpriced f
Après :     ['pro', 'drink', 'bar', 'atmosphere', 'tvs', 'game', 'con', 'food', 'overprice', 'bar']

Avant :     food was good, got french dip, grouper nuggets, salad.    worst part... the music is so loud you can
Après :     ['food', 'dip', 'nugget', 'salad', 'part', 'music', 'conversation']

Avant :     Yeah its small , Yeah the Wifi is a bit off , but this cozy moody coffee shop has that real artist t
Après :     ['wifi', 'bit', 'coffee_shop', 'artist', 'touch', 'place', 'starbuck', 'hang', 'feel', 'art']

Avant :     Horrible iced coffee.   The cashier was rude and standoffish.   Told me the next person would get my
Après :     ['coffee', 'cashier', 'standoffish', 'tell', 'person', 'ice', 'coffee', 'wait', 'place', 'order']

Avant :     Food:
Small overpriced grilled sandwiches: ~$9

Free WiFi: great!
Bright open airy place to stop in 
Après :     ['food', 'overprice', 'grill', 'sandwich', 'wifi', 'airy', 'place', 'stop', 'evening', 'read']

Avant :     Not at all authentic Vietnamese food and a little pricey. But the chef is really friendly. I think h
Après :     ['food', 'chef', 'think', 'cook', 'dish', 'recommend', 'place', 'want', 'try', 'food']

Avant :     its cheap and quick pho on the vanderbilt campus. kind of hard to f ind and get to. But the pho is s
Après :     ['pho', 'vanderbilt', 'campus', 'pho', 'man', 'mean', 'scoop', 'broth', 'vegetable', 'meat']

Avant :     Stood in line (2nd in line) for 20 minutes one guy in front of me waiting on the cashier , the cashi
Après :     ['stand_line', 'nd', 'line', 'minute', 'guy', 'front', 'wait', 'cashier', 'cashier', 'standing']

Avant :     I LOVE LJS fish, & it's been ages since having some. So, yesterday evening we went here despite the 
Après :     ['love', 'ljs', 'fish', 'age', 'yesterday', 'evening', 'review', 'eye', 'know', 'service']

Avant :     It was a group of us and we had issues with our order. We had to send back some of our orders. The c
Après :     ['group', 'issue', 'order', 'send', 'order', 'coffee', 'taste', 'cook', 'friend', 'steak']

Avant :     Omg. Don't go here....waited and waited for my food . When it came out only half was there...waited 
Après :     ['wait', 'wait', 'food', 'come', 'half', 'wait', 'pancake', 'ask', 'ice_tea', 'wait']

Avant :     This was the worst experience I have ever had at an IHOP. I had to send my breakfast back 3 times. I
Après :     ['experience', 'ihop', 'send', 'breakfast', 'order', 'egg', 'medium', 'egg_white', 'runny', 'meal']

Avant :     This place took 45 mins to get our order with only 6 people in the restaurant...... they didn't have
Après :     ['place', 'take_min', 'order', 'people', 'restaurant', 'ingredient', 'make', 'order', 'food', 'mess']

Avant :     Food was bland, service was mediocre. The only thing that this place has going for it us that its in
Après :     ['food', 'bland', 'service', 'thing', 'place', 'location', 'canal', 'street', 'hang', 'make_effort']

Avant :     From the reviews, I guess my expectations should have been non existent, but really??? I had a good 
Après :     ['review', 'guess', 'expectation', 'existent', 'lunch', 'breakfast', 'suppose', 'thing', 'waitress', 'trainee']

Avant :     Way too slow for breakfast. It's ihop, not gourmet cuisine. Food was also cold when we finally got i
Après :     ['way', 'breakfast', 'ihop', 'gourmet', 'cuisine', 'food', 'fruit', 'cup', 'look', 'bother']

Avant :     RUDE RUDE WAIT SERVICE. Horrible attitudes.  Food okay but it Is a chain.  They employ too many and 
Après :     ['wait', 'service', 'attitude', 'food', 'chain', 'employ', 'stand', 'herd', 'friend', 'stuff']

Avant :     Literally the worst restaurant experience in my life. Save yourself a couple of hours and DON'T GO H
Après :     ['restaurant', 'experience', 'life', 'save', 'couple', 'hour']

Avant :     Horrible service, the whole staff had attitide filthy restaurant!! Hair in my food! Will not be eati
Après :     ['service', 'staff', 'restaurant', 'hair', 'food', 'eat']

Avant :     Don't understand the hype. Came for brunch and wasn't impressed. Actually had a stomach ache after w
Après :     ['understand_hype', 'come', 'brunch', 'impress', 'stomach', 'come', 'dinner', 'underwhelme', 'quality', 'lacking']

Avant :     This restaurant is in my general neighborhood and I have eaten there many times. The food is good bu
Après :     ['restaurant', 'neighborhood', 'eat', 'time', 'food', 'overprice', 'dollar', 'tip', 'consist', 'sandwich']

Avant :     Went on a Thursday evening last week. Ate outside. Had reservations but didn't need them quite attra
Après :     ['evening', 'week', 'eat', 'reservation', 'need', 'look', 'menu', 'water', 'bread', 'offer']

Avant :     I cannot figure out why all the high ratings. Lunch was mediocre at best. The prices are too high--$
Après :     ['figure', 'rating', 'lunch', 'price', 'chicken', 'salad', 'sandwich', 'flavorless', 'potato', 'chip']

Avant :     Had been looking forward to eating here but alas that was not to be. Why they thought that as a part
Après :     ['look', 'eat', 'think', 'party', 'eat', 'cramp', 'bar', 'table', 'dining_room', 'understand']

Avant :     Extremely slow service (20 mins in an EMPTY drive thru) and first time around they missed a full hal
Après :     ['service', 'min', 'drive', 'time', 'miss', 'half', 'order', 'come', 'proceed', 'give']

Avant :     I would shut this location down. Every drive threw order is 5 min or longer. Who manages this place?
Après :     ['shut', 'location', 'drive', 'throw', 'order', 'min', 'manage', 'place', 'try', 'eat']

Avant :     Horrible! We were really disappointed! Soggy buns, under cooked burgers AND we waited over 15 min fo
Après :     ['disappoint', 'bun', 'cook', 'burger', 'wait_min', 'hear_thing', 'visit', 'disappointment']

Avant :     I'm not sure if Fiorello's is under new ownership/management, but I've been disappointed in our take
Après :     ['ownership', 'management', 'disappoint', 'time', 'make', 'restaurant', 'take', 'use', 'taste', 'dress']

Avant :     We arrived for lunch at 12p on a Friday - wasn't busy at all. It took FOREVER to get anything. We we
Après :     ['arrive', 'lunch', 'take', 'kind', 'complain', 'time', 'beverage', 'order', 'take', 'minute']

Avant :     The portions were so incredibly tiny and service was extremely slow. Would've given one star but the
Après :     ['portion', 'service', 'give_star', 'give', 'appetizer', 'wait', 'boyfriend', 'order', 'lamb', 'order']

Avant :     So so disappointing. Went there twice and each time I said I'd never go there again. The first time 
Après :     ['time', 'say', 'time', 'give_chance', 'price', 'food', 'cocktail', 'blackberry', 'bourbon', 'bubbly']

Avant :     This place isn't anything exciting. I love the layout and the decor but service & food are just eh..
Après :     ['place', 'love', 'layout', 'drink', 'service', 'glass_wine', 'husband', 'cocktail', 'food', 'item']

Avant :     Had reservations and company from out of town try out what used to be one of our favorite spots. Ord
Après :     ['reservation', 'company', 'town', 'try', 'use', 'spot', 'order', 'menu', 'ask', 'leave']

Avant :     Very disappointed in our experience at Butcher & Bee.  

Visited Nashville for the weekend and came 
Après :     ['experience', 'butcher', 'visit', 'weekend', 'come', 'brunch', 'morning', 'seat', 'order', 'appetizer']

Avant :     Quite possibly the worst service I've ever experienced when dining in Nashville, or perhaps anywhere
Après :     ['service', 'experience', 'dining', 'nashville', 'moment', 'sit', 'attend', 'wait_minute', 'drink', 'appetizer']

Avant :     It was good food and good atmosphere. Made a reservation to sit at the kitchen bar almost a week in 
Après :     ['food', 'atmosphere', 'make_reservation', 'sit', 'kitchen', 'bar', 'week', 'advance', 'arrive', 'come']

Avant :     So disappointing! We booked a reservation in advance only to wait 30 minutes for our table. Once sea
Après :     ['book_reservation', 'advance', 'wait_minute', 'table', 'waitress', 'make', 'note', 'wait', 'apologize', 'take']

Avant :     Ordered the Turkish hummus and corn salad as appetizers. Corn salad was great. The hummus was the sa
Après :     ['order', 'hummus', 'corn', 'salad', 'appetizer', 'corn', 'salad', 'hummus', 'saltiest', 'item']

Avant :     Okay so I never write reviews but... I visited butcher and bee this past Saturday and thought it was
Après :     ['write_review', 'visit', 'think', 'atmosphere', 'menu', 'thing', 'bartender', 'eat', 'lamb', 'meatball']

Avant :     Food way way over salted hamburger and fries not able to eat... Bun burnt horrible service. I do not
Après :     ['food', 'way', 'way', 'salt', 'hamburger', 'fry', 'eat', 'bun', 'burn', 'service']

Avant :     This place sucks. The food is way overpriced and comes in small portions. My burger was $13 and didn
Après :     ['place', 'suck', 'food', 'way_overprice', 'come', 'portion', 'burger', 'come', 'fry', 'service']

Avant :     I am super surprised that this restaurant is listed as good for groups. We went here for my birthday
Après :     ['restaurant', 'list', 'group', 'birthday', 'tell', 'system', 'check', 'spend', 'minute', 'calculate']

Avant :     You are going to leave disappointed.  From the dirty seat cushions to the under cooked steak, all ar
Après :     ['leave', 'seat', 'cushion', 'cook', 'steak', 'experience']

Avant :     If you're expecting the regular brunch foods, don't come here! The menu is decent but maybe we just 
Après :     ['expect', 'brunch', 'food', 'come', 'menu', 'mood', 'meal', 'boyfriend', 'egg', 'biscuit']

Avant :     The other night I decided to give London another try.  My decision is made.  The service is consiste
Après :     ['night', 'decide', 'give', 'try', 'decision', 'make', 'service', 'food', 'inconsistent', 'mood']

Avant :     Just went to London grill. The drinks menu is extensive and it has been done up really well.

We ord
Après :     ['grill', 'drink', 'menu', 'order', 'variety', 'dish', 'think', 'buck', 'head', 'order']

Avant :     I used to like London. But now I can't deal with it. 

The second to last time we came here, I had t
Après :     ['use', 'deal', 'time', 'come', 'flavorless', 'gnocchi', 'earth', 'time', 'leave', 'menu']

Avant :     Came here for brunch and will not be back. The drinks were fantastic (bloody mary bar, mimosas, etc.
Après :     ['come', 'brunch', 'drink', 'mary', 'bar', 'mimosa', 'food', 'flavorless', 'kitchen', 'service']

Avant :     this update isn't a positive one. 

most things remained the same, except the service got crappy -- 
Après :     ['update', 'thing', 'remain', 'service', 'wait_minute', 'find', 'server', 'flag', 'fork', 'eat']

Avant :     I have been here for dinner, happy hour, drinks, and brunch and I have never been that pleased.  Ser
Après :     ['dinner', 'hour', 'drink', 'brunch', 'service', 'hour', 'martini', 'make', 'beer', 'deal']

Avant :     I loved the location by the penetentiary and the fact that they had outdoor seating, BUT the food wa
Après :     ['love', 'location', 'penetentiary', 'fact', 'seating', 'food', 'lacking', 'try', 'grill', 'octopus']

Avant :     Haven't been here in years & won't return in this lifetime. Stale smokey retread from years ago with
Après :     ['year', 'return', 'lifetime', 'smokey', 'retread', 'year', 'onion_soup', 'muscle', 'taste', 'serve']

Avant :     Generally good food but inconsistent quality.  Some of the dishes were excellent but two people in o
Après :     ['food', 'quality', 'dish', 'people', 'group', 'seca', 'chimis', 'greasy']

Avant :     This location is a least a TAD better than the downtown location, but hardly.  It pains me to give t
Après :     ['location', 'tad', 'downtown', 'location', 'pain', 'give', 'place', 'review', 'tucson', 'icon']

Avant :     Not sure about the food, but the hostess situation made us leave tonight.  One girl was up front sit
Après :     ['food', 'hostess', 'situation', 'make', 'leave', 'tonight', 'girl', 'front', 'sit', 'phone']

Avant :     Absolutely horrible service!!! First time was delicious. Today we waited a half hour to even be seat
Après :     ['service', 'time', 'today', 'wait', 'hour', 'manager', 'seat', 'corner', 'building', 'party']

Avant :     This place has gone from an iconic Tucson institution to a sad modern day faux Mexican restaurant. C
Après :     ['place', 'institution', 'day', 'restaurant', 'couple', 'food', 'service', 'customer', 'come', 'group']

Avant :     Tacos suck premade taco shells is not what I call authentic Mexican food. I would of gone to Taco Be
Après :     ['suck', 'shell', 'call', 'food', 'want', 'taco', 'service', 'excellent']

Avant :     In this Mexican food heaven on earth why would anyone eat here is beyond my comprehension.
Après :     ['earth', 'eat', 'comprehension']

Avant :     We really wanted to love El Charro Cafe, after a friends recommendation, however that just was not t
Après :     ['want', 'friend', 'recommendation', 'case', 'food', 'substandard', 'service', 'acknowledge', 'drink', 'chip_salsa']

Avant :     If you like slow service and surly wait staff, this is the place for you. The food is decent, but it
Après :     ['service', 'wait', 'staff', 'place', 'food', 'fun', 'keep', 'ask', 'service', 'napkin']

Avant :     Was here with a reserved group.  Was very noisy, took the server quite a while to get our check (was
Après :     ['reserve', 'group', 'take', 'server', 'check', 'pay', 'love', 'downtown', 'food', 'chip']

Avant :     Service was the best part of the dining experience. The food was decent but nothing to write home ab
Après :     ['service', 'part', 'dining_experience', 'food', 'write', 'tuscon', 'lunch', 'corn', 'tamale', 'bean_rice']

Avant :     A nearly complete failure. Bad service. Bad food. Something is seriously wrong here. I have eaten at
Après :     ['failure', 'service', 'food', 'eat', 'location']

Avant :     The food is below average compared to many other Mexican restaurants in the area.  Based on feedback
Après :     ['food', 'average', 'compare', 'restaurant', 'area', 'base', 'feedback', 'table', 'table', 'drink']

Avant :     We got there at 4:15PM on a Monday to avoid a long wait and we were seated immediately.  However, it
Après :     ['avoid', 'wait', 'seat', 'minute', 'server', 'come', 'table', 'answer_question', 'seem', 'hurry']

Avant :     1 hour and 45 minutes.
That's how long it took to get our dinner and eat it.
And the restaurant was 
Après :     ['hour', 'minute', 'take', 'dinner', 'eat', 'restaurant', 'refill', 'chip', 'wait', 'time']

Avant :     Everyone says this is a great authentic Mexican restaurant. We had one good bartender and a dirty ta
Après :     ['say', 'restaurant', 'bartender', 'dirty', 'table', 'service', 'take', 'food', 'impress', 'crowd']

Avant :     El Charro Cafe was recommended to us by the concierge at the JW Marriott. We, unfortunately, had a p
Après :     ['recommend', 'concierge', 'experience', 'dinner', 'person', 'enjoy', 'meal', 'rest', 'find', 'food']

Avant :     I wanted to love it but the mole' was mediocre. I have had many types of mole' and yet to find a goo
Après :     ['want', 'love', 'mole', 'mediocre', 'type', 'mole', 'find', 'tucson', 'shoot', 'food']

Avant :     Horrible service waited a good while and no server came or acknowledged us. A couple seated after us
Après :     ['service', 'wait', 'server', 'come', 'acknowledge', 'couple', 'seat', 'take', 'care', 'wait_min']

Avant :     1st off I waited for this restaurant to open because of the good reviews the original had. 
First th
Après :     ['wait', 'restaurant', 'review', 'thing', 'raise', 'food', 'life', 'consider', 'judge', 'style']

Avant :     Nearly all their food is made off site. You're then lucky if they fully warm it up. I was once serve
Après :     ['food', 'make', 'site', 'serve', 'quesadilla', 'look', 'melt', 'refrigerator', 'cold']

Avant :     Disappointed in our visit to El Charro in Oro Valley. Service was mediocre at best. Our waiter was m
Après :     ['visit', 'waiter', 'miss', 'action', 'time', 'venture', 'bar', 'refill_water', 'pitcher', 'spot']

Avant :     We arrived at 5:55, with a party of six. We were told it would be 35-45 min. I watched a round table
Après :     ['arrive', 'party', 'tell', 'min', 'watch', 'table', 'sit', 'time', 'wait', 'sign']

Avant :     The crab balls was good but the food is over priced and they don't give you enough food.. I won't go
Après :     ['crab', 'ball', 'food', 'price', 'give', 'food']

Avant :     I would have rather put a hundred dollars down the toilet. Terrible food, prices and service.  This 
Après :     ['put', 'dollar', 'toilet', 'food', 'price', 'service', 'place', 'joke', 'email', 'time']

Avant :     I think I was expecting something a little more upscale at DiNardo's but it didn't really hold up.  
Après :     ['think', 'expect', 'dinardo', 'hold', 'place', 'date', 'night', 'spot', 'decoration', 'include']

Avant :     If your interested in spending money on awful,bland and tasteless food this is the place to go. Serv
Après :     ['spend_money', 'food', 'place', 'service', 'mediocre', 'place', 'look', 'design', 'grade', 'boy']

Avant :     Holy skimpy crabs Batman!  This is my first review and felt compelled to write about my dismay at th
Après :     ['feel', 'compel', 'dismay', 'call', 'crab', 'eatery', 'order', 'jumbo', 'meet', 'pipsqueak']

Avant :     My boyfriend and I went to dinner there on a Thursday night. I had looked at the Yelp reviews prior 
Après :     ['boyfriend', 'dinner', 'night', 'look', 'yelp_review', 'come', 'maintain', 'review', 'service', 'waiter']

Avant :     Not good at all ... Ate there 2 weeks ago on Sunday ... Ordered 2 pounds of Alaskan king crab .. $60
Après :     ['eat', 'week', 'order', 'pound', 'alaskan', 'king', 'crab', 'pound', 'freezer_burn', 'order']

Avant :     Yea.. So this place is terrible. I don't know when they became "famous", but it tastes like it was a
Après :     ['place', 'know', 'become', 'taste', 'time', 'float', 'object', 'drink', 'drink', 'bring']

Avant :     Wait staff was polite, pleasant and efficient.  Food was OK, not great.  Clam chowder like a can of 
Après :     ['wait', 'staff', 'polite', 'food', 'chowder', 'progresso', 'ok', 'specialize', 'food', 'environment']

Avant :     Eggs in salad were so old they were petrified.  Salmon was cooked to leather.  Decor is "meh". Bathr
Après :     ['egg', 'salad', 'salmon', 'cook', 'leather', 'bathroom', 'bowl', 'pay', 'bowl', 'cup']

Avant :     I was brought here by my boyfriend for my birthday.  Needless to say we were both disappointed.  The
Après :     ['bring', 'boyfriend', 'birthday', 'needless_say', 'disappoint', 'ambiance', 'gear', 'gordon', 'fisherman', 'couple']

Avant :     Very disappointed. One of my crabs had small BLACK BUGS in the crab meat. I was told they are season
Après :     ['disappoint', 'crab', 'bug', 'crab', 'meat', 'tell', 'season', 'bug', 'season', 'crab']

Avant :     Prices didn't match the quality. I paid $33 for 3 "jumbo" crabs. When they came out, they were tiny 
Après :     ['price', 'match', 'quality', 'pay', 'crab', 'come', 'miss', 'claw', 'say', 'meal']

Avant :     Restaurant Week Fail! We met a group of friends to celebrate a birthday during Restaurant Week in Ja
Après :     ['restaurant', 'week', 'meet', 'group', 'friend', 'celebrate', 'birthday', 'restaurant', 'week', 'hour']

Avant :     Ordered jumbo crab legs which were 60$ per pound. Only got 2 legs and it was bland as fuck the fried
Après :     ['order', 'crab_leg', 'pound', 'leg', 'bland', 'fuck', 'fry', 'shrimp', 'order', 'greasy']

Avant :     Remember Alice's Diner?  It feels that way when you go to Dinardo's...  1970s wood paneling, gaudy f
Après :     ['remember', 'alice', 'diner', 'feel', 'way', 'wood', 'paneling', 'fish', 'fishing', 'ecoutrement']

Avant :     Ok.  This place was a turn off..so I left.  What turned me off was the $$$$ with the Captain D's atm
Après :     ['place', 'turn', 'leave', 'turn', 'captain', 'atmosphere', 'pay', 'want', 'wait', 'staff']

Avant :     Not at all the old dinardos ! The food was so basic ! The flounder taste like it was from a bag ! I 
Après :     ['dinardo', 'food', 'flounder', 'taste', 'bag', 'think', 'return', 'portion', 'think', 'waster']

Avant :     I'd like to update my review from a few years back. My how things can change. This place is now a 1-
Après :     ['update_review', 'year', 'thing', 'change', 'joke', 'food', 'restaurant', 'dollar', 'parking', 'player']

Avant :     Changing this to a 1 after I just had to pay $10 to park. Seriously?   Not like they aren't making a
Après :     ['change', 'pay', 'park', 'make', 'money']

Avant :     I can't believe they're charging $10 to park!! Don't they get enough of our money already?? They've 
Après :     ['believe', 'charge', 'park', 'money', 'lower', 'money', 'grab', 'ball', 'tell', 'thing']

Avant :     I'm in side the Hardrock standing at the Noodle Bar (food is wonderful). The problem is I am standin
Après :     ['side', 'hardrock', 'stand', 'noodle', 'bar', 'food', 'problem', 'stand', 'people', 'wait']

Avant :     If it wasn't bad enough that the Hard Rock just increased their menu prices but now you must pay $10
Après :     ['rock', 'increase', 'menu', 'price', 'pay', 'park', 'want', 'dinner', 'gamble', 'make']

Avant :     This place sucks,$4.75 for a beer..Tight slots.Been to Vegas ,Foxwoods,Turning Stone and this place 
Après :     ['place', 'suck', 'beer', 'slot', 'vegas', 'foxwood', 'turn', 'stone', 'place']

Avant :     If you can not tolerate smoke, stay away from this casino. Cigar smoking is a big draw here too; not
Après :     ['tolerate', 'smoke', 'stay', 'casino', 'cigar', 'smoke', 'draw', 'cigarette', 'wade', 'smoke']

Avant :     If you wish to gamble for free, you will need to bring a non gambling traveler to drop you off and t
Après :     ['wish', 'need', 'bring', 'gambling', 'traveler', 'drop', 'find', 'hang', 'fee', 'park']

Avant :     I have to agree with other reviews that $10 to park is ridiculous. The stench of cigarette smoke ree
Après :     ['agree', 'review', 'park', 'stench', 'cigarette', 'smoke', 'reek', 'minute', 'walk_door', 'smoking']

Avant :     From what I hear, the Tampa casino is nothing compared to the Orlando one. C'est la vie. They charge
Après :     ['hear', 'casino', 'compare', 'vie', 'charge', 'drink', 'overprice', 'food', 'sub_par', 'amount']

Avant :     I was very disappointed to see that the casino is charging $10 to park.  I think they're making a hu
Après :     ['see', 'casino', 'charging', 'park', 'think', 'make_mistake', 'mean', 'destination', 'casino', 'rate']

Avant :     Not so impressed. Nice facilities but staff wasn't super friendly or helpful. Asked for a wake up ca
Après :     ['impress', 'facility', 'staff', 'ask', 'wake', 'call', 'one', 'send', 'try', 'use']

Avant :     Come on your one of the highest grossing casinos and you have to start charging $10 for parking and 
Après :     ['come', 'gross', 'casino', 'start', 'charge', 'parking', 'drink', 'price', 'appreciate', 'memory']

Avant :     I don't get the fun in slot machines.  I'm not a gambler, and I never have been.  Nothing here was m
Après :     ['slot', 'machine', 'gambler', 'fun', 'walk', 'casino', 'smoky', 'smell', 'enjoy', 'time']

Avant :     This casino was a joke. So let me get this right, $900 for two night stay during the middle of the w
Après :     ['casino', 'joke', 'let', 'right', 'night', 'stay', 'week', 'room', 'price', 'attract']

Avant :     Seriously? $10 to park at a casino? They should be embarrassed. I can't believe they have started do
Après :     ['park', 'casino', 'believe', 'start']

Avant :     I can't believe they're charging $10 to park!! Don't they get enough of our money already?? They've 
Après :     ['believe', 'charge', 'park', 'money', 'lower', 'money', 'grab', 'ball', 'tell', 'thing']

Avant :     And forgot.  We went to the pool and couldn't get a towel without finding a manager.
Après :     ['pool', 'towel', 'find', 'manager']

Avant :     I only gave 1 star because I had to do that to leave a review. Charging for parking at a casino wher
Après :     ['give', 'leave', 'review', 'charge', 'parking', 'casino', 'one', 'win', 'make', 'profit']

Avant :     We have been to casinos all over the US now and never have we had such a horrible experience right o
Après :     ['casino', 'experience', 'bat', 'understand', 'worry', 'make', 'money', 'start', 'switch', 'dealer']

Avant :     Didn't deserve 1/2 star. Waited 2 hours for a room. Asked three times for towels, and never received
Après :     ['deserve_star', 'wait', 'hour', 'room', 'ask', 'time', 'towel', 'receive']

Avant :     Some memorabilia, nothing too special, constant stench of smoke, but what do you expect? Should real
Après :     ['memorabilia', 'stench', 'smoke', 'expect', 'offer', 'charge', 'parking']

Avant :     I was very unhappy with my last stay at Hard Rock, Council Oaks should be ashamed of the lack of sev
Après :     ['stay', 'rock', 'council', 'oak', 'lack', 'entree', 'bread', 'offer', 'loaf', 'take']

Avant :     Awful awful smoke in food court and everywhere we went. Wasn't very impressed with atmosphere even i
Après :     ['smoke', 'food', 'court', 'atmosphere', 'section', 'food', 'food', 'court', 'place', 'recommend']

Avant :     My brother and had a reservation for the hotel in the casino for the weekend. Despite booking on the
Après :     ['brother', 'hotel', 'casino', 'weekend', 'book', 'phone', 'hotel', 'book', 'hotel', 'location']

Avant :     The worst odds of any casino. Beware! My advice: save your money. Hard rock casino in Tampa is a rip
Après :     ['odd', 'casino', 'beware', 'advice', 'save_money', 'rock', 'casino', 'rip', 'imo', 'charge']

Avant :     Probably the worst casino in the nation. No free drinks when you sit at the tables, I was playing at
Après :     ['casino', 'nation', 'drink', 'sit', 'table', 'play', 'table', 'hour', 'lot', 'ask']

Avant :     If you are a die hard gambler then the hard rock will fit the bill. I'm more into tangible spending 
Après :     ['die', 'gambler', 'rock', 'fit', 'bill', 'spending', 'drop', 'slot', 'come', 'town']

Avant :     I don't understand why they charge $10 for the parking to the people who come to spend money in thei
Après :     ['understand', 'charge', 'parking', 'people', 'come', 'spend_money', 'casino', 'place', 'smoke', 'use']

Avant :     Really? Monopoly casino in Tampa farmed by the Seminoles only to line their pocket for petty parking
Après :     ['casino', 'farm', 'seminole', 'line', 'pocket', 'parking', 'fee', 'competition', 'charge', 'parking']

Avant :     The limits are too high for minimum bets. No free alcohol. Poker room is situated so far away, it mi
Après :     ['limit', 'bet', 'alcohol', 'poker', 'room', 'situate', 'building', 'chair']

Avant :     The casino updated their policy to charge $10 for parking (unless you spend more than $50 in food, e
Après :     ['casino', 'update', 'policy', 'charge', 'parking', 'spend', 'food', 'reason', 'enhance', 'parking']

Avant :     I seen this ad and thought what a cute name, i called for appointment and to verify if they accepted
Après :     ['see', 'ad', 'think', 'name', 'call', 'appointment', 'verify', 'accept', 'insurance', 'girl']

Avant :     After experiencing other sushi destinations, I found that Mixx cant compete. First off, the all you 
Après :     ['experience', 'destination', 'find', 'mixx', 'compete', 'eat', 'deal', 'rice', 'make', 'rice']

Avant :     They seriously served us sushi on PRINGLES!  I am not even lying.  I forget what appetizer this was 
Après :     ['serve', 'pringle', 'lie', 'forget', 'appetizer', 'order', 'come', 'pringle', 'think', 'think']

Avant :     Had the all you can eat sushi for 22$. It sucked. There are way too many rules. First, half your tab
Après :     ['suck', 'way', 'rule', 'half', 'table', 'eat', 'share', 'people', 'table', 'share']

Avant :     I've definitely had better sushi. If I was grading, the sushi chef woulda gotten a Fail.  It was clo
Après :     ['fail', 'sushi', 'put', 'use', 'tofu', 'cube', 'seaweed', 'chewy', 'order', 'million']

Avant :     I received a flaming email from someone at this restaurant immediately after I posted my review.

My
Après :     ['receive', 'flame', 'email', 'restaurant', 'post', 'review', 'review', 'stand', 'stand', 'experience']

Avant :     Place is dirty, customer service is bad, small portions of food, leaves you hungry and over price. I
Après :     ['place', 'customer_service', 'portion', 'food', 'leave', 'price', 'recommend', 'place']

Avant :     Good food, horrible service!!! Very slow help and can't seem to remember what you said 4 seconds ago
Après :     ['food', 'service', 'help', 'seem', 'remember', 'say', 'second', 'stand_line', 'people', 'person']

Avant :     I was really pulling for this place and wanted to like it because it's some what close to my house.

Après :     ['pull', 'place', 'want', 'house', 'presentation', 'food', 'appealing', 'make', 'eat', 'variety']

Avant :     Way way to expensive. I can seriously eat at the outback or roadhouse.
Après :     ['way', 'way', 'eat', 'outback', 'roadhouse']

Avant :     Horrible food!! I ordered nachos with beef. The cheese was not real , it was the kind in a can that 
Après :     ['food', 'order', 'beef', 'cheese', 'kind', 'store', 'put', 'chip', 'throw', 'meat']

Avant :     The food is decent, nothing to write home about but not next-level either. 

What made this experien
Après :     ['food', 'write', 'level', 'make', 'experience', 'star', 'take', 'order', 'minute', 'attitude']

Avant :     I'm starting to not believe yelp reviews. I went there with my husband at around 3:00pm and it was s
Après :     ['start', 'believe', 'yelp_review', 'husband', 'order', 'try', 'habanero', 'sauce', 'time', 'day']

Avant :     I went back and tried the breakfast. Not so good. I had the Huevos with Chorizo and they got the ord
Après :     ['try', 'breakfast', 'order', 'wrong', 'send', 'ranchero', 'kitchen', 'order', 'bring', 'hour']

Avant :     I have been to this location once before with no issues. Last time I got my soon a bubble tea. The p
Après :     ['location', 'issue', 'time', 'bubble_tea', 'pearl', 'bubble', 'seem', 'make', 'hope', 'place']

Avant :     30+ mins wait for a simple cup. Needs better working SOP. Can't believe that! A disaster experience.
Après :     ['min', 'wait', 'cup', 'need', 'work', 'sop', 'believe', 'disaster', 'experience']

Avant :     Tried the 2 taco platter on an  chilly, windy day in the spring.  The food was cold and disappointin
Après :     ['try', 'day', 'spring', 'food', 'concept', 'flavor', 'food', 'care', 'fiest', 'corn']

Avant :     I went to el limon for the second time last week. Both visits have been for lunch, and both times th
Après :     ['time', 'week', 'visit', 'lunch', 'time', 'food', 'service', 'time', 'ask', 'leave']

Avant :     Below mediocre food; they used cheap shredded cheese and the food tasted bland. Will not be back.
Après :     ['food', 'use', 'shred_cheese', 'food', 'taste', 'bland']

Avant :     I live less than half a mile from the store, normally I enjoy the service and the way I have been tr
Après :     ['live', 'half', 'mile', 'store', 'enjoy', 'service', 'way', 'treat', 'order', 'pizza']

Avant :     Poor service to start off with. Server was abrupt and seemed to be kind of snippy I guess you could 
Après :     ['service', 'start', 'server', 'seem', 'guess', 'say', 'wait_minute', 'food', 'arrive', 'luke']

Avant :     Were there on a Sun afternoon & enjoyed live music, food, ambience.  Returned on Tues 6:00 pm with f
Après :     ['afternoon', 'enjoy', 'music', 'food', 'ambience', 'return', 'tue', 'family', 'disappoint', 'wait']

Avant :     We were so disappointed with this visit! Sevice was unbelievably slow. From waiting to, be seated wi
Après :     ['visit', 'sevice', 'wait', 'seat', 'table', 'waitress', 'seem', 'want', 'food', 'min']

Avant :     Its convenient, that's for sure. Dock the boat and go eat. But...I'm not a fan at all. I pay over $8
Après :     ['boat', 'eat', 'fan', 'pay', 'fish', 'sandwich', 'pay', 'fry', 'hate', 'complain']

Avant :     I was trying to put my finger on what  type of place this is and came up with this: JD's is a worn o
Après :     ['try', 'put', 'finger', 'type', 'place', 'come', 'wear', 'bar', 'place', 'food']

Avant :     Our first encounter when walking into Jds at a non-busy time was a very unfriendly,snarky, rude host
Après :     ['encounter', 'walk', 'time', 'proceed', 'sit', 'mind', 'restaurant', 'continue', 'sit', 'minute']

Avant :     Everything was sub par.  First we got the early bird special and it was very obviously processed foo
Après :     ['sub_par', 'bird', 'process', 'food', 'cook', 'make', 'someplace', 'service', 'waitress', 'spend']

Avant :     Well, at least their drink prices were awesome during happy hour!

Stopped in with the family during
Après :     ['drink', 'price', 'hour', 'stop', 'family', 'day', 'drink', 'coast', 'feel', 'decide']

Avant :     JD's would get a "0" if they had it. Arrived at 11:27am today, were seated, and handed the Breakfast
Après :     ['arrive', 'today', 'seat', 'breakfast', 'menu', 'find', 'minute', 'breakfast', 'sever', 'give']

Avant :     Just got done with my meal.  Decent service from Breanna.  Fun and lively atmosphere. That is where 
Après :     ['meal', 'service', 'breanna', 'fun', 'atmosphere', 'end', 'bland', 'texture', 'use', 'fish']

Avant :     I guess I don't write review's on other people's recommendations but this place was extremely greasy
Après :     ['guess', 'write_review', 'people', 'recommendation', 'place', 'sandwich', 'soggyy', 'work', 'give', 'tip']

Avant :     Can we all calm down?
Once everyone stops drinking the Kool aid, reality sets in. 

Sandwiches are j
Après :     ['stop', 'drink', 'kool', 'aid', 'reality', 'set', 'sandwich', 'make', 'stand', 'service']

Avant :     Stood around for 10 minutes with empty tables that weren't bussed, then was directed to a table that
Après :     ['stand', 'minute', 'table', 'buss', 'direct', 'table', 'leave', 'tip', 'leave', 'employee']

Avant :     Not great. I had high hopes with the great reviews. Our food was ok at best. the wine and coffee wer
Après :     ['hope', 'review', 'food', 'wine', 'coffee', 'pasta', 'home', 'make', 'dessert', 'steak']

Avant :     Went back for the lunch buffet, and was very disappointed.  The food was cold and it took forever to
Après :     ['lunch_buffet', 'disappoint', 'food', 'cold', 'take', 'drink', 'seat', 'ignore', 'enjoy', 'time']

Avant :     The room is very noisy, to the point where I got tired of asking, 'what did you say'.

The service w
Après :     ['room', 'point', 'ask', 'service', 'dish', 'cross', 'menu', 'food', 'quality', 'wrap']

Avant :     We visited here for the first time today for lunch.  I can't say the food was horrible; it was medio
Après :     ['visit', 'time', 'today', 'lunch', 'say', 'food', 'waiter', 'place', 'stick', 'sit']

Avant :     The food is not that good but what kills me are the servers standing in the alley smoking. Not just 
Après :     ['food', 'kill', 'server', 'stand', 'smoking', 'time', 'management', 'think', 'food', 'sit']

Avant :     Went for dinner the other night. It was my second time there. Both times I was unimpressed by our fo
Après :     ['dinner', 'night', 'time', 'time', 'food', 'chicken', 'flavor', 'chicken', 'gristle', 'mother']

Avant :     Expensive mediocre food.  Go to Iron Hill down the street instead.
Après :     ['food']

Avant :     Went there yesterday for buffet, not impressed at all.  Truly disappointed after reading the rave re
Après :     ['yesterday', 'buffet', 'impress', 'reading', 'rave_review', 'service', 'food', 'average']

Avant :     Had a 7:15 reservation for an anniversary , 35 minutes later waiting with no one helping we left. Wi
Après :     ['reservation', 'anniversary', 'minute', 'wait', 'help', 'leave', 'management']

Avant :     Consitantly awful. The staff is unprofessional, rude, and let you know they don't care about their j
Après :     ['staff_rude', 'let_know', 'care', 'job', 'serve', 'walk_door', 'call', 'order', 'disappear', 'store']

Avant :     Inconsistent. Slow service. Long lines. Long wait times. Under staffed. All of these are mentioned i
Après :     ['service', 'line', 'wait', 'time', 'staff', 'mention', 'review', 'answer', 'management', 'training']

Avant :     Smoothies are good. The raspberry vinaigrette dressing is very good. 

Staff isnt very friendly and 
Après :     ['smoothie', 'raspberry', 'vinaigrette', 'dress', 'staff', 'communicate', 'chicken', 'like', 'meat', 'prefer']

Avant :     I live within a stones throw of this place, and let me tell you that the burgers are not good, dry a
Après :     ['stone', 'throw', 'place', 'let', 'tell', 'burger', 'cook', 'want', 'milkshake', 'worse']

Avant :     Yikes, yelpers. This place is nasty. There was a fly in my salad that has been there so long it was 
Après :     ['yike', 'yelper', 'place', 'fly', 'salad', 'wither', 'decompose', 'let', 'manager', 'know']

Avant :     Sad when it closed.  Sorry that it re-opened.  

If your job is to cook a hamburger, only a hamburge
Après :     ['open', 'job', 'cook', 'make_sense', 'cook', 'hamburger', 'wife', 'order', 'medium', 'come']

Avant :     I wanted to try something new so I stopped by this place to pick up a menu to see if I wanted to get
Après :     ['want', 'try', 'stop', 'place', 'pick', 'menu', 'see', 'want', 'lunch', 'store']

Avant :     Very nice delivery driver. But very slow service. Sandwich was less than satisfactory. They still ow
Après :     ['delivery_driver', 'service', 'sandwich', 'owe', 'refund', 'month', 'napkin', 'order', 'disappoint']

Avant :     Two words, rude and expensive.

A friend of mine was setting up a suprise for her boyfriend's birthd
Après :     ['word', 'friend', 'mine', 'set', 'suprise', 'boyfriend', 'birthday', 'cake', 'suppose', 'deliver']

Avant :     My boyfriend and I walked in one day and we won't be going back. To start off, the huge place was em
Après :     ['boyfriend', 'walk', 'day', 'start', 'place', 'flag', 'menu_item', 'wayy', 'overprice', 'smoothie']

Avant :     I'm really not a fan of the way the business is run.  The hours are not posted and are completely un
Après :     ['fan', 'way', 'business', 'run', 'hour', 'post', 'time', 'afternoon', 'weekend', 'staff_member']

Avant :     I walked into this place for the first time today 6/23 at lunch to get a couple of slices.  There wa
Après :     ['walk', 'place', 'time', 'today', 'lunch', 'couple', 'slice', 'pizza', 'display', 'ask']

Avant :     OMG. Just received incorrect order taken by "marble mouth" "fast talking" order taker...called back 
Après :     ['receive', 'order', 'take', 'marble', 'mouth', 'talk', 'order', 'taker', 'call', 'manager']

Avant :     Disgustingly over priced. They have a wonderful, mouth watering beer selection but c'mon. This is no
Après :     ['price', 'mouth', 'watering', 'beer_selection', 'price', 'realize', 'law', 'part', 'problem', 'beer']

Avant :     LARGE selection of beer.  If you find a good one, you'll pay for it.  This place is pretty expensive
Après :     ['selection', 'beer', 'find', 'pay', 'place', 'part', 'cooler', 'try', 'find', 'beer']

Avant :     The concept of Foodery is kind of cool. Too bad the people who work there are unnecessarily rude. Ru
Après :     ['concept', 'foodery', 'kind', 'people_work', 'employee']

Avant :     This place is not what you would expect. The food is fine, not amazing. 

I'll never go back since t
Après :     ['place', 'expect', 'food', 'service', 'par']

Avant :     Just had dinner at The Candlewyck and was very disappointed. The tomato bisque soup which used to be
Après :     ['disappoint', 'tomato', 'bisque', 'soup', 'use', 'tenderloin', 'stir_fry', 'shame', 'year', 'hope']

Avant :     This may be spectualar during the week, when Philadelphians abound. We
came during the weekend and l
Après :     ['spectualar', 'week', 'philadelphian', 'abound', 'come', 'weekend', 'advice', 'come', 'week', 'summer']

Avant :     Wow. So I emailed a request for 18 powdered jelly filled donuts. I spoke with Ellen  and confirmed 6
Après :     ['email', 'request', 'powder', 'jelly', 'fill', 'donut', 'speak', 'confirm', 'raspberry', 'strawberry']

Avant :     My experience with this particular store was... *sigh, eye roll* I felt uncomfortable from the time 
Après :     ['experience', 'store', 'roll', 'feel', 'time', 'leave', 'car', 'check', 'stare', 'time']

Avant :     We purchased the 8 piece fried chicken from the deli at 5:45pm. We assumed the chicken would be fres
Après :     ['purchase', 'piece', 'fry', 'chicken', 'assume', 'chicken', 'dinner', 'time', 'piece_chicken', 'see']

Avant :     I have been here 3 times now and 2 out of the 3 times I have had an issue. The first time they gave 
Après :     ['time', 'issue', 'time', 'give', 'sundae', 'plastic', 'side', 'leak', 'car', 'time']

Avant :     This domino's is horrible!!! This is the 2nd time I have ordered from this location. Both time my fo
Après :     ['nd', 'time', 'order', 'location', 'time', 'food', 'sit', 'quality', 'check', 'minute']

Avant :     We heard they had the best tacos in town. They were very mediocre. Ordered refried beans and rice. T
Après :     ['hear', 'town', 'mediocre', 'order', 'refrie_bean', 'rice_bean', 'rice', 'cold', 'bring', 'meal']

Avant :     Updating my review from last nights recent visit. Server Drew was very good, can't complain one bit 
Après :     ['update_review', 'night', 'visit', 'server', 'draw', 'complain', 'bit', 'service', 'attentive', 'need']

Avant :     The establishment is disorganized and it shows. Food is always inconsistent, you never know how your
Après :     ['establishment', 'show', 'food', 'know', 'wing', 'turn', 'food', 'price', 'seem', 'price']

Avant :     Hostess was rude, asked for our waitress, told is to sit down, tried to pay bill, blond hostess told
Après :     ['ask', 'waitress', 'tell', 'sit', 'try', 'pay', 'tell', 'sit', 'food', 'send']

Avant :     They have wings....they have beer....both are offered up quickly, but are of dubious quality. A pers
Après :     ['wing', 'beer', 'offer', 'quality', 'person', 'use', 'rent', 'room', 'work', 'keep']

Avant :     When ordering take-out be obnoxious and have them repeat the order back to you.  They have screwed u
Après :     ['order', 'take', 'repeat', 'order', 'screw', 'order', 'mine', 'month', 'food', 'quality']

Avant :     Got pizza from here it was cold and soggy. The crust tasted like pure garlic nasty. I will never go 
Après :     ['pizza_crust', 'taste', 'pizza', 'thing', 'say', 'delivery', 'time', 'pizza']

Avant :     As an Italian, this restaurant is not Italian. The spaghetti had water and could not hold sauce.  We
Après :     ['restaurant', 'spaghetti', 'water', 'hold', 'sauce', 'order', 'specialty', 'salad', 'come', 'pepper']

Avant :     Just left there...horrible service and miserable employees.  WILL NEVER GO THERE AGAIN. Miss Baja fr
Après :     ['leave', 'service', 'employee', 'miss', 'baja']

Avant :     This Chipotle is the worst. You are greeted by the manager who yells "money walking" to the counter 
Après :     ['chipotle', 'greet', 'manager', 'yell', 'money', 'walk', 'counter', 'staff', 'enter', 'location']

Avant :     Worst chipolte I have ever been to. They served me a taco with  undercooked bloody chicken, along wi
Après :     ['serve', 'chicken', 'employee', 'hair', 'give', 'money', 'demand', 'suggest', 'wear', 'hairnet']

Avant :     This is the 3rd time I have visited this location all three times after 8pm and the service was terr
Après :     ['time', 'visit', 'location', 'time', 'pm', 'service', 'run', 'food', 'burrito', 'make']

Avant :     This was the first time I ever ordered from this Abington chipotle restaurant. Are usually use the C
Après :     ['time', 'order', 'restaurant', 'use', 'chipotle', 'willow', 'grove', 'use', 'rice', 'cook']

Avant :     Went for St Paddy's day for a night cap. Advertised pints of Guinness for $6. Instead got 8 ounces i
Après :     ['night', 'advertise', 'pint', 'ounce', 'cup', 'time']

Avant :     Been a patron since they opened and Dooney's used to be awesome. Over the past few years service and
Après :     ['patron', 'open', 'dooney', 'use', 'year', 'service', 'food', 'quality', 'decline', 'tonight']

Avant :     $7 for a local brew, Spellbound. A tad overpriced. This must make up for the Monday special beer pri
Après :     ['brew', 'tad', 'overprice', 'make', 'beer', 'price']

Avant :     This place is nasty!!!! The food wasn't done my chicken was slimey. The staff was really nice. I tal
Après :     ['place', 'food', 'chicken', 'staff', 'talk', 'man', 'blood', 'chicken', 'food', 'potato_salad']

Avant :     Nope. Sides were fairly good but you're going for the hot chicken. Very generous portion of chicken 
Après :     ['side', 'chicken', 'portion', 'chicken', 'bread', 'sooooo', 'chicken', 'cut', 'breading', 'flavorless']

Avant :     I really wanted a great hot chicken place closer to my house but just got okay....chicken is tenders
Après :     ['want', 'chicken', 'place', 'house', 'chicken_tender', 'tender', 'breast', 'place', 'cheese', 'mix']

Avant :     I don't mind paying a premium for good food, but everything we tried was really mediocre. My kale sc
Après :     ['mind_pay', 'food', 'try', 'scramble', 'flavor', 'espresso', 'husband', 'chilaquile', 'sauce', 'plate']

Avant :     Just asked for a coffee while we wait for our table. They said "sure, for $4." On top of the coffee 
Après :     ['ask', 'coffee', 'wait', 'table', 'say', 'coffee', 'order', 'sit', 'spring']

Avant :     The food was ok nothing that special.  The coffee did not taste good.  Even with a lot of creamer.  
Après :     ['food', 'coffee', 'taste', 'lot', 'creamer', 'way', 'price', 'egg', 'cup_coffee']

Avant :     Watery eggs, flavorless food, inattentive server. No need to go back.
Après :     ['egg', 'flavorless', 'food', 'server', 'need']

Avant :     Really unimpressed by the food.  The chicken was not juicy at all and the bacon waffle was served al
Après :     ['food', 'chicken', 'bacon', 'waffle', 'serve', 'service', 'ok', 'come', 'way_overprice', 'quality']

Avant :     Had to wait over 2 hours for food! Delivery drivers don't know their way around and can't seem to kn
Après :     ['wait', 'hour', 'food', 'delivery_driver', 'know', 'way', 'seem', 'knock', 'door', 'store']

Avant :     If I could put no stars I would. I ordered my pizza online, when I got to the store to pick it up I 
Après :     ['put', 'star', 'order', 'pizza', 'store', 'pick', 'wait', 'counter', 'min', 'come']

Avant :     To Good: The beer list. I like the good selection of beer that they had on the menu. 

The Bad: The 
Après :     ['beer', 'list', 'selection', 'beer', 'menu', 'service', 'dinner', 'rush', 'server', 'table']

Avant :     Always looking for a good pizza place so had high hopes. Unfortunately was disappointed as the pizza
Après :     ['look', 'pizza', 'place', 'hope', 'disappoint', 'pizza', 'flavor']

Avant :     We had high hopes but were quite disappointed. Pizza had very few toppings very little cheese and ev
Après :     ['hope', 'pizza', 'topping', 'cheese', 'sauce', 'baffle', 'pizza', 'serve', 'luke', 'rubbery']

Avant :     We used to love Brixx Pizza especially the Korean meatballs and the pear martinis but we tried it to
Après :     ['use_love', 'brixx', 'pizza', 'meatball', 'pear', 'martini', 'try', 'tonight', 'say', 'martini']

Avant :     We waited 10 minutes and no one acknowledged our presence, no a hey, not a hi, not a we'll be right 
Après :     ['wait_minute', 'acknowledge_presence', 'mistake', 'left', 'door', 'meal', 'burger']

Avant :     Went once will not go back.  They only make thin crust and it is so thin it is cracker hard.  I orde
Après :     ['make', 'crust', 'cracker', 'order', 'pineapple', 'pancetta', 'pizza_crust', 'salty', 'finish', 'husband']

Avant :     Dumplings are pricey for their size and quality.  You can go to the large Asian grocery store next d
Après :     ['dumpling', 'pricey', 'size', 'quality', 'grocery_store', 'door', 'dumpling']

Avant :     We order here from work & it was pretty good for a bit, but now it seems like they are never open.  
Après :     ['order', 'work', 'bit', 'seem', 'open', 'give', 'review', 'place', 'schedule', 'nice']

Avant :     Stood in line and were ignored. The host proceeded to seat his friends who were clearly standing beh
Après :     ['stand_line', 'ignore', 'host', 'proceed', 'seat', 'friend', 'stand', 'ask', 'help']

Avant :     I love the pizza and beer selection and in house salads are big and delicious but... my take out sal
Après :     ['love', 'pizza', 'beer', 'salad', 'take', 'salad', 'take', 'ask', 'size', 'staff']

Avant :     In Baton Rouge I would say this is one of my favorite sushi places, in New Orleans not even close. T
Après :     ['baton', 'say', 'place', 'service', 'server', 'complain', 'lot', 'shit', 'pay', 'parking']

Avant :     Very disappointed. Sushi took 45 minutes for a simple order for two people on a weekday lunch that w
Après :     ['take', 'minute', 'order', 'people', 'lunch', 'serve', 'drink', 'glass', 'lipstick']

Avant :     Nothing worse than leaving a restaurant hungry!  I went for lunch and decided to get the bento box. 
Après :     ['leave', 'restaurant', 'lunch', 'decide', 'bento', 'box', 'palm', 'size', 'portion', 'food']

Avant :     I parked right in front of the restaurant and a staff person came out and yelled at me for parking t
Après :     ['park', 'restaurant', 'staff', 'person', 'come', 'parking', 'berate', 'son', 'attend', 'music']

Avant :     Disappointing, to say the least.
The Hot Wings were unappetizing and tiny. KFC used to be better sev
Après :     ['say', 'wing', 'unappetize', 'kfc', 'use', 'year', 'time', 'kfc', 'menu', 'choice']

Avant :     This KFC sucks. The young guy at the counter was pretty nice and allowed the option to sub any side 
Après :     ['suck', 'guy', 'counter', 'allow', 'option', 'sub', 'side', 'mash_potato', 'family', 'fill']

Avant :     Well, I attempted to eat here, but I arrived at 9:50 and ordered a taco and an enchilada.  They deni
Après :     ['attempt', 'eat', 'arrive', 'order', 'deny', 'service', 'clean', 'fryer', 'surprise', 'serve']

Avant :     Service wasn't good, wait time wasn't bad but it seemed like our food had been just sitting up in th
Après :     ['service', 'wait', 'time', 'seem', 'food', 'sit', 'window', 'steak', 'seem', 'medium']

Avant :     We had a group of 11, we couldn't sit together because they do not accommodate for larger groups. We
Après :     ['group', 'sit', 'accommodate', 'group', 'wait', 'time', 'waitress', 'come', 'fill', 'drink']

Avant :     The wait time was pretty low we got seated so quickly even though it was absolutely packed, however 
Après :     ['wait', 'time', 'seat', 'pack', 'waitress', 'come', 'table', 'drink', 'dinner', 'food']

Avant :     Normally have a decent meal here but last night was a clusterf***....  had to ask for butter for our
Après :     ['meal', 'night', 'clusterf', 'butter', 'roll', 'salad', 'come', 'steak', 'come', 'side']

Avant :     I usually would never complain about this Texas Roadhouse but I had to wait over an hour for my food
Après :     ['complain', 'wait', 'hour', 'food', 'time', 'mention', 'waiter', 'ask', 'want', 'refill']

Avant :     Just an update, my husband left a message for the owner after speaking with the owners wife.  The ow
Après :     ['update', 'husband', 'leave', 'message', 'owner', 'speak', 'owner', 'wife', 'call', 'husband']

Avant :     My first time to eat here and would think twice if i'll ever wanted to do it again. Waited for a hou
Après :     ['time', 'eat', 'think', 'want', 'wait', 'house', 'salad', 'minute', 'meal', 'minute']

Avant :     Usually Texas Roadhouse Restaurants have pretty good service and the one of the best steaks.  Howeve
Après :     ['roadhouse', 'restaurant', 'service', 'steak', 'feel', 'stand', 'service', 'restaurant', 'chain', 'live']

Avant :     Steaks at Texas Roadhouse are one of the best. However, service is poor.  They had all the excuses o
Après :     ['steak', 'service', 'excuse', 'forget', 'side', 'item', 'pay', 'take', 'order', 'management']

Avant :     Ate here for late night dinner.  The place wasn't crowded but a decent amount of guests.  The hostes
Après :     ['eat', 'night', 'dinner', 'place', 'crowd', 'amount', 'guest', 'hostess', 'give', 'choice']

Avant :     I revisited Buffalo Wild Wings yesterday evening. Last time, I noted that I wasn't sure if parking w
Après :     ['revisit', 'wing', 'yesterday', 'evening', 'time', 'note', 'parking', 'time', 'know', 'parking_lot']

Avant :     Ordered wings to go at the location and was sadly disappointed when I got home. The wings barely had
Après :     ['order', 'wing', 'location', 'disappoint', 'home', 'wing', 'sauce', 'type', 'person', 'like']

Avant :     Took 45 minutes to be seated then another 30 for food. Had to ask waiter for another drink twice, to
Après :     ['take', 'minute', 'seat', 'food', 'ask', 'waiter', 'drink', 'take', 'minute', 'watch']

Avant :     The food was below par. The salad bar food was ok and the temperature of the food warm not hot. My s
Après :     ['food', 'par', 'salad', 'bar', 'food', 'temperature', 'food', 'stuffing', 'taste', 'taste']

Avant :     My order has been either incorrect, overcharged, or cold each and every time I have come. If you are
Après :     ['order', 'overcharge', 'time', 'come', 'sacrifice', 'quality', 'food', 'service', 'price', 'place']

Avant :     Eggs Benedict had hard boiled eggs for both orders and smoked salmon was cooked on a grill ruining t
Après :     ['egg_benedict', 'boil_egg', 'order', 'smoke', 'salmon', 'cook', 'grill', 'ruin', 'texture', 'make']

Avant :     Went here for weekend brunch. Given a 30 minute wait during the peak brunch crowd, not too bad. The 
Après :     ['weekend', 'brunch', 'give', 'minute', 'wait', 'peak', 'brunch', 'crowd', 'come', 'hat']

Avant :     Food okay but service subpar with an attitude. Not coming back and I live a block away with minimal 
Après :     ['food', 'service', 'attitude', 'come', 'block', 'option', 'downtown', 'disappoint']

Avant :     The food here was quite good and the ambiance was lovely. But the service is what earned 2 stars. Th
Après :     ['food', 'ambiance', 'service', 'earn', 'star', 'take', 'order', 'bring', 'water', 'bring']

Avant :     I was disappointed. I hated that very much because I was so excited to visit. My servers were overwh
Après :     ['hate', 'excite', 'visit', 'server', 'reason', 'place', 'bring', 'crowd', 'order', 'toast']

Avant :     This concerns breakfast only. The much bragged about pop-overs are a joke. They're exactly what I wo
Après :     ['concern', 'breakfast', 'brag', 'pop', 'joke', 'make', 'recipe', 'home', 'cost', 'amount']

Avant :     We just ate here and had absolutely terrible service. Our food took over an hour to be served and on
Après :     ['eat', 'service', 'food', 'take', 'hour', 'serve', 'people', 'time', 'plate', 'plate']

Avant :     food is okay but service is too bad. Cold face, arrogant tone. Don't like it at all. Never visit bac
Après :     ['food', 'service', 'face', 'tone', 'visit']

Avant :     I been to a lot of places but this place was gross. I am sorry to say but there was hair in my good 
Après :     ['lot', 'place', 'place', 'say', 'hair', 'waitress', 'rude']

Avant :     This place was okay. I think my favorite thing had to be the Beef Wrapped Pancake. It had good textu
Après :     ['place', 'think', 'thing', 'beef', 'wrap', 'pancake', 'texture', 'flavor', 'beef', 'taste']

Avant :     It's probably only good because this is the only Asian/Taiwanese place. But I don't know what the hy
Après :     ['place', 'know', 'braise', 'beef', 'noodle_soup', 'bland', 'noodle', 'kind', 'flavor', 'boba']

Avant :     Totally overrated. 

Food doesn't taste good. Beef noodle was over-cooked; beef not tender. Sausage 
Après :     ['overrate', 'food', 'taste', 'beef', 'noodle', 'cook', 'beef', 'tender', 'sausage', 'bento']

Avant :     Rude customer service, unprofessional service, not worthy to waste your time to come here.
Après :     ['customer_service', 'service', 'waste_time', 'come']

Avant :     Seriously tho, why change the noodles from beef noodle soup to some cheap non chewy dry noodles!!??
Après :     ['change', 'noodle', 'beef', 'noodle']

Avant :     Had a beef noodle soup and the beef was almost inedible. Meet was a horrible cut and hard to chew. P
Après :     ['soup', 'beef', 'meet', 'cut', 'chew', 'beef', 'noodle_soup', 'walk', 'time', 'day']

Avant :     Good food but very bad service. We gave 15% tip but the waiter stopped us and requested for 18% tip.
Après :     ['food', 'service', 'give', 'tip', 'waiter', 'stop', 'request', 'tip', 'service']

Avant :     This restaurant is busy! My boyfriend and I couldn't believe it. We went in to get some take-out foo
Après :     ['restaurant', 'boyfriend', 'believe', 'take', 'food', 'cluster', 'pack', 'people', 'seat', 'entry']

Avant :     Wanted some boba milk tea and landed here. Everything looks delicious from looking at the pictures. 
Après :     ['want', 'boba', 'milk', 'tea', 'land', 'look', 'look', 'picture', 'decide', 'try']

Avant :     The coke and club sodas were fantastic. Service ok, food was terrible. While the server and manager 
Après :     ['club', 'service', 'food', 'server', 'manager', 'try', 'make', 'stomach', 'turn', 'order']

Avant :     Let's ignore the customers!  It's fun.  Seriously, if I wasn't starving, I would have walked out.  O
Après :     ['let', 'ignore', 'customer', 'starve', 'walk', 'rude', 'menu']

Avant :     Worst visit to this location yet.  Dining area dirty, no tables wiped down, food all over carpet, co
Après :     ['visit', 'location', 'dining_area', 'table_wipe', 'food', 'carpet', 'coffee', 'station', 'selection', 'customer']

Avant :     Slow service. Medicare food. It shouldn't take 15 minutes to get a bread bowl of soup. The manager i
Après :     ['service', 'medicare', 'food', 'take', 'minute', 'bread', 'soup', 'manager', 'rude']

Avant :     I would rather wait for lent season and get a bigger portion for my money. Seriously not worth it. F
Après :     ['wait', 'lend', 'season', 'portion', 'money', 'food', 'execute', 'staff', 'make', 'read']

Avant :     This restaurant was extremely uncomfortably hot and upon complaining to the manager, she told us bec
Après :     ['restaurant', 'complain', 'manager', 'tell', 'lot', 'person', 'party', 'food', 'lady', 'tell']

Avant :     This place is all about the fries! Best!
The food is something else again.
BLAND burgers. Thin as pa
Après :     ['place', 'fry', 'food', 'bland', 'burger', 'paper', 'flavor', 'dog', 'ditto', 'price']

Avant :     In town visiting and went here based on yelp reviews and was disappointed in service and food.  I co
Après :     ['town', 'visit', 'base_yelp', 'review', 'service', 'food', 'cook', 'home', 'try', 'chicken']

Avant :     Certainly not worth the price. IMO food was not seasoned the way I expect an Italian restaurant to b
Après :     ['price', 'food', 'season', 'way', 'expect', 'restaurant']

Avant :     The review that said "if you're looking to pay $11 for pasta sauce you can make at home" is spot on.
Après :     ['say', 'look', 'pay', 'pasta', 'sauce', 'make', 'home', 'spot', 'tho', 'pasta']

Avant :     I thought I'd give Mirko another shot after my first experience 2yrs ago. This time a different loca
Après :     ['thought', 'give_shot', 'experience', 'yrs', 'time', 'location', 'experience', 'restaurant', 'dinner', 'wait_min']

Avant :     Certainly not worth the price. IMO food was not seasoned the way I expect an Italian restaurant to b
Après :     ['price', 'food', 'season', 'way', 'expect', 'restaurant']

Avant :     Decent food, if you can get it in time and you get the correct order. The people work hard, but they
Après :     ['food', 'time', 'order', 'people_work', 'keep', 'traffic', 'detail', 'visit', 'time', 'live']

Avant :     Food take fover for order..half ass on service the food not so good
Après :     ['food', 'take', 'order', 'half', 'ass', 'service', 'food']

Avant :     Sadly, 'feine went downhill fast.  At first it was such an adorable, pleasant cafe but now it seems 
Après :     ['cafe', 'seem_care', 'customer', 'experience']

Avant :     Worst service in the history of service. Every other mucho burrito I have been to is great. The guac
Après :     ['service', 'history', 'service', 'mucho', 'chip', 'leaving', 'give', 'customer', 'refund', 'fish_taco']

Avant :     This is our second time to order . The shrimp taco was always great, the rest of the meat choices wa
Après :     ['time', 'order', 'shrimp', 'rest', 'meat', 'choice']

Avant :     There is nothing hot or ready about this place. I walked in hoping just maybe there would be a supre
Après :     ['place', 'walk', 'hope', 'supreme', 'cheese', 'pepperoni', 'say', 'reason', 'stop', 'say']

Avant :     I have tried this place twice ever and it was disgusting and greasy both times. Won't go back..
Après :     ['try', 'place', 'greasy', 'time']

Avant :     I mean its better than los betos...but this food just wasn't good at all everything was premade mayb
Après :     ['mean', 'food', 'brand', 'somethi', 'matter', 'bean_rice', 'boil', 'corn_tortillas', 'microwave', 'taste']

Avant :     Sorry nato's...  Not good.  Maybe it's because I live in los Angeles that people who have never had 
Après :     ['live', 'people', 'food', 'know', 'difference', 'fish', 'eat', 'suck', 'pop', 'succeed']

Avant :     The food is bland and not that great. Big portions don't make up for the lack in quality. Ice been t
Après :     ['food', 'bland', 'portion', 'make', 'lack', 'quality', 'ice', 'time', 'eat', 'price']

Avant :     The duck was imitation duck not the real thing. The fried rice was good, I was just highly dissatisf
Après :     ['duck', 'imitation', 'duck', 'thing', 'fry_rice', 'good', 'receive', 'version', 'duck']

Avant :     Not good sushi. At all. The $5 Kani salad is literally a whole sliced cucumber with 6 strands of cra
Après :     ['salad', 'crab', 'specialty_roll', 'hell', 'taste', 'fish', 'use', 'rice', 'need', 'vinegar']

Avant :     I wasn't happy with the sushi quality. No flavor. When I ordered the resturant just opened so I hope
Après :     ['quality', 'flavor', 'order', 'open', 'hope', 'reason', 'soup', 'flavorless', 'water', 'deliver']

Avant :     We got the menu at mail and tried the opening sale. We ordered a lunch special ( 3 rolls), teriyaki 
Après :     ['menu', 'mail', 'try', 'opening', 'sale', 'order', 'lunch', 'roll', 'beef', 'fry']

Avant :     A "baked omelet sandwich" here translates over to "processed rectangular block of egg-not, two leave
Après :     ['omelet', 'sandwich', 'translate', 'process', 'block', 'egg', 'leave', 'spinach', 'slice', 'serve']

Avant :     I usually love Cosi, but this is literally the worst one (by far!) that I have ever been to. Cashier
Après :     ['love', 'cosi', 'rude', 'begin', 'order', 'salad', 'soup', 'make', 'time', 'cashier']

Avant :     Cosi is Cos"no".  At 8:30 am on a Monday here was the situation.
22 minute wait for Oatmeal - no war
Après :     ['minute', 'wait', 'warning', 'need', 'cook', 'batch', 'strawberry', 'oatmeal', 'bar', 'spoon']

Avant :     I said three times no egg on my breakfast sandwich. Did they listen? Nope! 

This place is good if y
Après :     ['say', 'time', 'egg', 'breakfast', 'sandwich', 'listen', 'place', 'need', 'wifi', 'meal']

Avant :     Ordered a half-and-half buffalo bleu sandwich (light lettuce) and mac and cheese combo online an hou
Après :     ['order', 'sandwich', 'cheese', 'combo', 'hour', 'train', 'stop', 'cosi', 'forget', 'cheese']

Avant :     The food is more expensive, portions were smaller, and took longer to come out than the Camellia Gri
Après :     ['food', 'portion', 'take', 'come', 'door', 'fry', 'potato', 'brunch', 'size', 'palm']

Avant :     This place is BAD NEWS!   Stay away from Stefano's II at any cost.  I ordered a Chef's Salad to go.,
Après :     ['place', 'news', 'stay', 'cost', 'order', 'chef', 'salad', 'discover', 'chef', 'salad']

Avant :     Pizza is gross.  People working there are rude.  New to the neighborhood we tried this place. We wer
Après :     ['pizza', 'people_work', 'neighborhood', 'try', 'place', 'move', 'explain', 'charge', 'utensil', 'think']

Avant :     I asked for a couple of slices. They were old. It is a Friday night. It was as they were made two da
Après :     ['ask', 'couple', 'slice', 'night', 'make', 'day', 'head', 'time', 'service', 'order']

Avant :     Unfortunately, the other reviews said it all. This location is not someplace we'll likely return to.
Après :     ['review', 'say', 'location', 'someplace', 'return', 'soup', 'type', 'cookie', 'cookie', 'chocolate_chip']

Avant :     The soup I got, Autumn Squash, was very good but I had planned to get soup and salad. The woman said
Après :     ['autumn', 'squash', 'plan', 'soup', 'salad', 'woman', 'say', 'salad', 'give', 'soup']

Avant :     Only one person in front of me -- waited for someone to help me. A guy walked right in front of me i
Après :     ['person', 'front', 'wait', 'help', 'guy', 'walk', 'salad', 'spot', 'worker', 'ask']

Avant :     I love paradise, but this is the worst location. The place is filthy,the employees clearly don't wan
Après :     ['love', 'location', 'place', 'employee', 'want', 'work', 'take', 'give', 'attitude', 'salad']

Avant :     There's nothing memorable about this restaurant. My chips were stale & the salsa was something like:
Après :     ['restaurant', 'chip_salsa', 'clamato', 'pepper', 'see', 'picture', 'order', 'soup', 'microwave', 'vegetable']

Avant :     Chile rellenos in the Tucson Area rated according to the Homeland Security Advisory System with thre
Après :     ['area', 'rate', 'accord', 'homeland', 'security', 'advisory', 'system', 'word', 'descriptor', 'see_photo']

Avant :     Ok.  So the first time I came here it was on a Sunday, the restaurant was not busy and received good
Après :     ['time', 'come', 'restaurant', 'receive', 'food', 'service', 'couple', 'time', 'fortune', 'meet']

Avant :     Service horrible. 3rd visit here hoping this place makes it since it's local, but I doubt it. When a
Après :     ['service', 'rd', 'visit', 'hope', 'place', 'make', 'doubt', 'hire', 'help', 'teenager']

Avant :     Went there tonight and sat at the bar to the left as soon as you walk in the door.  Not crowded so w
Après :     ['tonight', 'sit_bar', 'leave', 'walk_door', 'crowd', 'seat', 'service', 'appetizer', 'give', 'silverware']

Avant :     Not a fan of the menu and the waitress we had looked like she'd rather be somewhere else than waitin
Après :     ['fan', 'menu', 'waitress', 'look', 'wait', 'suppose', 'look', 'meal', 'glass_wine', 'price']

Avant :     We stopped  by for lunch. We found the service to be prompt.  My wife the beer geek,  thought the dr
Après :     ['stop_lunch', 'find', 'service', 'wife', 'think', 'draft', 'list', 'burger', 'bit', 'season']

Avant :     Maybe I just tried this place when they were having a bad day or perhaps I ordered the one bad menu 
Après :     ['try', 'place', 'day', 'order', 'menu', 'choice', 'food', 'corn', 'tamale', 'cheese']

Avant :     Yeah, don't go there. Created an account just to write about how shitty this place is. Honestly, the
Après :     ['create', 'account', 'write', 'place', 'guy', 'help', 'quality', 'price', 'charge', 'atmosphere']

Avant :     I discovered this place when it was under different ownership, and there may have been 3 owners duri
Après :     ['discover', 'place', 'ownership', 'owner', 'time', 'yesterday', 'lunch', 'place', 'see', 'star']

Avant :     I went to Fez with my family and we were pretty excited to eat some good Moroccon food! However, it 
Après :     ['family', 'eat', 'moroccon', 'food', 'experience', 'food', 'average', 'overprice', 'portion', 'service']

Avant :     I went to Fez on a Thursday night.  The vibe and the environment was cozy.  The service was decent b
Après :     ['night', 'vibe', 'environment', 'service', 'food', 'portion', 'price', 'food', 'serve', 'give_star']

Avant :     that the place was cold (no heat) and empty should have been a warning sign: don't eat here.
very ex
Après :     ['place', 'heat', 'warning', 'sign', 'eat', 'food', 'serve', 'unsatisfye', 'mint', 'tea']

Avant :     Can't recommend this place.  Went with a group of 7. They were unorganized and really seemed to have
Après :     ['recommend', 'place', 'group', 'seem', 'ton', 'trouble', 'take', 'order', 'place', 'see']

Avant :     Terrible service, everything says reservations then when we made them online they told us no reserva
Après :     ['service', 'say', 'reservation', 'make', 'tell', 'reservation', 'tell', 'wait_min']

Avant :     Worst place in philly for hookah and drinks.. Pathetic service..we waited for 30 mins to get out ord
Après :     ['place', 'hookah', 'drink', 'service', 'wait_min', 'order', 'place', 'place', 'pack', 'beer']

Avant :     This restaurant has definitely seen better days.  Pricey, attitude, garish recent redecoration, terr
Après :     ['restaurant', 'see', 'day', 'attitude', 'redecoration', 'food', 'year', 'quality', 'manage', 'place']

Avant :     Me and my boyfriend came in for a cup of coffee to search the web. There were three workers where on
Après :     ['come', 'cup_coffee', 'search', 'web', 'worker', 'sleep', 'counter', 'service', 'hand', 'waitress']

Avant :     I would've gave them 1 star if it wasn't required..... Nasty Rewarmed Gritz, Dirty waffle makers....
Après :     ['gave', 'star', 'require', 'rewarme', 'waffle', 'maker', 'eatery', 'par', 'day', 'open']

Avant :     The order process for the drive through is a complete failure and waste of time. Currently 4 out of 
Après :     ['order', 'process', 'drive', 'failure', 'waste_time', 'order', 'miss_item', 'time', 'playtime', 'kid']

Avant :     I was very disappointed that after sitting in the drive-through line, I was told by the employee tak
Après :     ['sit', 'drive', 'line', 'tell', 'employee', 'take', 'order', 'customize', 'chicken', 'wrap']

Avant :     The setting is great, has a modern feel to it. The food is pretty good some of it is a bit spicy. Th
Après :     ['set', 'feel', 'food', 'bit', 'reason', 'give', 'rating', 'waiter', 'demand', 'tip']

Avant :     Not good for delivery. Food was cold and soggy. I ordered the salmon bento and stir fry soft shell c
Après :     ['delivery', 'food', 'soggy', 'order', 'bento', 'stir', 'crab', 'throw', 'look', 'dinner']

Avant :     I gave this place another shot because the sushi is pretty good and they have a bar which is a plus.
Après :     ['give', 'place', 'shot', 'bar', 'time', 'hair', 'food', 'refuse', 'take', 'responsibility']

Avant :     Food was pretty good. Service was a huge issue. Server was nice. My tables food came out at differen
Après :     ['food', 'service', 'issue', 'server', 'table', 'food', 'come', 'time', 'dinner', 'come']

Avant :     Ive going to go ahead and be "that" person, but I am not a fan. my rolls were mushy and fell apart a
Après :     ['person', 'fan', 'roll', 'fall', 'day', 'expensive']

Avant :     Expect to be told it will be ready in 15 minutes no matter when you call, then expect to wait an add
Après :     ['expect', 'tell', 'minute', 'matter', 'expect', 'wait_minute', 'guy', 'manager', 'special', 'tell']

Avant :     We ordered the Caesar salad and got a huge salad of nothing but iceberg lettuce some croutons and so
Après :     ['order', 'salad', 'crouton', 'parmesan', 'cheese', 'top', 'think', 'lettuce', 'use', 'pizza']

Avant :     I ate at the Denny at the corner of oracle and river rd in Tucson, I ordered some grits and side ord
Après :     ['eat', 'denny', 'corner', 'oracle', 'order', 'grit', 'side', 'order', 'sausage', 'egg']

Avant :     Normally, I love Denny's but this visit was different. It was about 8pm on a Friday night didn't hap
Après :     ['love', 'denny', 'visit', 'night', 'happen', 'manner', 'ounce', 'seat', 'ounce', 'attend']

Avant :     We had just driven in to Tucson from out-of-town and this restaurant was next to our hotel.  Thinkin
Après :     ['drive', 'town', 'hotel', 'thinking', 'meal', 'walk', 'seat', 'kitchen', 'order', 'dinner']

Avant :     Doesn't even deserve that one star! Atrocious service... took forever to get service, waitress never
Après :     ['deserve_star', 'service', 'take', 'service', 'waitress', 'come', 'take', 'order', 'take', 'age']

Avant :     Very rude and attitude and cashier does not feel like taking your order and ordered the wrong thing 
Après :     ['feel', 'take', 'order', 'order', 'thing', 'feel', 'give', 'refund', 'attitude', 'refuse']

Avant :     I made an order for a pizza that was never delivered. Called multiple times to which i was told my p
Après :     ['make', 'order', 'pizza', 'deliver', 'call', 'time', 'tell', 'pizza', 'way', 'wait_minute']

Avant :     I have not gotten the chance to eat the food there. And chances are, I never will! The service there
Après :     ['chance', 'eat', 'food', 'chance', 'service', 'cancel_order', 'leave', 'like', 'treat', 'sort']

Avant :     We decided to try something new since we had just moved more central from northeast. I did peep Yelp
Après :     ['decide', 'try', 'move', 'peep', 'yelp', 'check', 'review', 'figure', 'shoot', 'food']

Avant :     After frequenting Fresco Pizzeria for over three years, I consistently put up with the poor customer
Après :     ['frequent', 'year', 'put', 'customer_service', 'wait', 'time', 'pizza', 'today', 'straw', 'tell']

Avant :     No flavor... Far too expensive used the yelp checkin for their free breadsticks and I had to argue t
Après :     ['flavor', 'use', 'yelp', 'checkin', 'breadstick', 'argue', 'kid', 'pay_dollar', 'pizza', 'ingredient']

Avant :     Wait was long. Staff was completely lost and delivering the wrong orders. Food was cold and sauce ha
Après :     ['wait', 'staff', 'lose', 'deliver', 'order', 'food', 'sauce', 'flavor', 'return']

Avant :     From some of the reviews I had high hopes for this pizza but I guess Tucson just doesn't know what g
Après :     ['review', 'hope', 'pizza', 'guess', 'know', 'pizza', 'order', 'veggie', 'onione', 'sauce']

Avant :     Worse than one of the cheap national chains. The extra large 16" pizza had a 3 inch crust (leaving v
Après :     ['chain', 'pizza', 'inch', 'crust', 'leave', 'room', 'ingredient', 'cook', 'driver', 'let']

Avant :     Had this a few months ago. I'm a sushi lover and I know good and bad quality. This is not good quali
Après :     ['month', 'know', 'quality', 'quality', 'inspection', 'tell', 'smell', 'taste', 'verify', 'finding']

Avant :     Lame Tex Mex place - that looks like a lot of fun on the outside but is really dead on the inside.  
Après :     ['lame', 'look', 'lot', 'fun', 'food', 'rave']

Avant :     Almost went to this location, but did a pivot turn when we had to step over three different types of
Après :     ['location', 'pivot', 'turn', 'step', 'type', 'trash', 'door', 'trash', 'scatter', 'parking_lot']

Avant :     I ordered from the drive through. It took 4 minutes to get my order taken. Then I waited another 10 
Après :     ['order', 'drive', 'take', 'minute', 'order', 'take', 'wait_minute', 'patient', 'person', 'let']

Avant :     Speechless - this review is solely based off customer service. The person who took my order through 
Après :     ['review', 'base', 'customer_service', 'person', 'take', 'order', 'drive', 'window', 'attend', 'hand']

Avant :     Service was awful for one person sitting at the counter, felt like I was an inconvenience.
Après :     ['service', 'person', 'sit', 'counter', 'feel_inconvenience']

Avant :     This is an interesting place that has promise if....

Menu was more creative, tap craft beers had mo
Après :     ['place', 'promise', 'menu', 'tap', 'craft', 'dark', 'food', 'place', 'table_chair', 'impress']

Avant :     The site's web states it closes at 12:30; however, we went at 10:37p....and they were closed.
Après :     ['site', 'web', 'state', 'close']

Avant :     It was extremely crowded when we went, so we assumed it had to be good. We even called ahead and sti
Après :     ['crowd', 'assume', 'call', 'wait_min', 'food', 'end', 'oversalte', 'hype', 'restaurant', 'area']

Avant :     We have not been here for a year or so and now I know why. The service sucks. We ordered pretzel  at
Après :     ['service', 'suck', 'order', 'smother', 'garlic', 'mention', 'menu', 'bartender', 'talk', 'talk']

Avant :     Hey it's a great bar food place so if you are in a happy hour mood they got plenty of tvs and the Su
Après :     ['bar', 'food', 'place', 'hour', 'mood', 'tv', 'brunch', 'ya', 'pay']

Avant :     Got food poisoning from their food.  Tonight I ordered their special tonight,  the rib eye steak tha
Après :     ['food_poison', 'food', 'tonight', 'order', 'tonight', 'steak', 'cost', 'cook', 'temperature', 'steak']

Avant :     Food--very good; however, this is a Trivia night rating.  Thumbs down!  Either hire someone to play 
Après :     ['food', 'night', 'rating', 'thumb', 'hire', 'play_music', 'group', 'night', 'year', 'see']

Avant :     7/16/14
I've been coming here since it first opened.  The atmosphere is pub-style,  but in a noisy s
Après :     ['come', 'open', 'atmosphere', 'pub', 'style', 'sense', 'visit', 'today', 'confirm', 'thing']

Avant :     While the food was good, onion soup was tasty, the flies flying around and the dirty window sills ju
Après :     ['food', 'onion_soup', 'fly_fly', 'window', 'sill', 'add', 'service', 'lunch', 'hour', 'guy']

Avant :     Wasn't impressed with the food. Staff seemed friendly and willing to help. Bar area was nice, with a
Après :     ['food', 'staff', 'seem', 'help', 'bar', 'area', 'selection']

Avant :     This was The "second chance" for Anthony's  and I will never return.  Both times the pizza was very 
Après :     ['chance', 'return', 'time', 'pizza', 'cook', 'salad', 'close']

Avant :     We have been customers for many years.  We also go to the Anthony's in Florida.  Unfortunately our l
Après :     ['customer', 'year', 'experience', 'pizza', 'burn', 'take', 'pizza', 'expect', 'topping', 'quality']

Avant :     Placed an order with them. Was not ready on time. Was not cheap at all and the rolls were so small. 
Après :     ['place', 'order', 'time', 'roll', 'think', 'want', 'time', 'order', 'place']

Avant :     If I could give this establishment less than one star, I would. Over two hours for an appetizer at t
Après :     ['give', 'establishment', 'star', 'hour', 'appetizer', 'bar', 'hour', 'people', 'food', 'order']

Avant :     We tried to eat lunch here with 7 of us and the whole place empty and were rudely turned away becaus
Après :     ['try', 'eat', 'lunch', 'place', 'turn', 'party', 'call', 'give', 'place', 'star']

Avant :     I was at knockouts recently and there was no cook on duty so I couldn't order anything to eat. All I
Après :     ['knockout', 'cook', 'duty', 'order', 'eat', 'order', 'drink', 'place', 'look', 'overhear']

Avant :     I have to agree with majority of other Yelpers here - the quality of both the food & customer servic
Après :     ['agree', 'majority', 'yelper', 'quality', 'food', 'customer_service', 'way', 'order', 'wrap', 'potato']

Avant :     Tried this place out after looking for somewhere that makes good philly cheesesteak. It was not the 
Après :     ['try', 'place', 'look', 'make', 'cheesesteak', 'cut', 'try', 'look', 'eat', 'taste']

Avant :     Portions sizes are pretty small considering the price and somewhat mediocre quality of the food. Not
Après :     ['portion_size', 'consider', 'price', 'quality', 'food']

Avant :     My husband purchased a breakfast sandwich combo w/orange juice for me and I was SO sorry afterwards!
Après :     ['husband', 'purchase', 'breakfast', 'sandwich', 'combo', 'food', 'greasy', 'part', 'napkin', 'bag']

Avant :     Slowest "fast" food ever. Always. Owner needs to quite being a cheapskate and staff the place. Don't
Après :     ['food', 'owner', 'need', 'staff', 'place', 'hurry']

Avant :     Good service but horrible food. Jack's new food truck series has to be the worst sandwiches I have e
Après :     ['service', 'food', 'food', 'truck', 'series', 'sandwich', 'eat', 'taste', 'sandwich', 'load']

Avant :     I really am not sure how Subway maintains restaurants in the Philadelphia area when there are so man
Après :     ['subway', 'maintain', 'restaurant', 'area', 'hoagie', 'place', 'know', 'subway', 'sandwich', 'taste']

Avant :     I'm really not sure why I keep going back here-maybe because it's the only subway I know of between 
Après :     ['keep', 'subway', 'know', 'city', 'stop', 'customer_service', 'time', 'woman', 'work', 'slow']

Avant :     This is the worst restaurant in tampa waiters are rude they don't answer you properly they pretend t
Après :     ['restaurant', 'tampa', 'waiter', 'answer', 'pretend', 'buzy', 'suggest']

Avant :     The worst service I have ever experience at a restaurant. The waiter was rude and slow. He took abso
Après :     ['service', 'experience', 'restaurant', 'waiter', 'rude', 'slow', 'take', 'bring', 'food', 'serve']

Avant :     My girlfriend and I both got food poisoning after eating from here... I got the Chicken Korma, and s
Après :     ['girlfriend', 'food_poisoning', 'eat', 'butter', 'chicken', 'look', 'price', 'curry', 'poisoning']

Avant :     fyi- this place is closed!!! my friend and i tried to go here today but it's all boared up :(
Après :     ['place', 'close', 'friend', 'try', 'today', 'boare']

Avant :     If you like flys flying around your head, in your salad, and baked in your pizza, you will enjoy thi
Après :     ['fly_fly', 'head', 'salad', 'bake', 'pizza', 'enjoy', 'place']

Avant :     The quality of the salads are horrible. You have no choice in the type of greens that you get there.
Après :     ['quality', 'salad', 'choice', 'type', 'green', 'salad', 'know', 'honeygrow', 'sweetgreen', 'come']

Avant :     Prices are too high and if you're not a "somebody" in the New Orleans area, the employees follow and
Après :     ['price', 'area', 'employee', 'follow', 'watch', 'move']

Avant :     I ordered corned beef hash and was very disappointed. Prior to ordering, I asked our waitress if the
Après :     ['order', 'beef_hash', 'disappoint', 'order', 'ask', 'cafe', 'make', 'beef', 'say', 'buy']

Avant :     So I attempted another time for this place...and my rating won't change. This place shouldn't claim 
Après :     ['attempt', 'time', 'place', 'rating', 'change', 'place', 'claim', 'serve', 'customize', 'coffee']

Avant :     Wait staff was very friendly but my buttermilk waffle was overcooked and didn't really have a flavor
Après :     ['wait', 'staff', 'buttermilk', 'waffle', 'overcook', 'flavor', 'bacon', 'good']

Avant :     Very disappointed with this place. Overpriced for mediocre at best. One of us ordered a chopped stea
Après :     ['place', 'overprice', 'order', 'chop', 'steak', 'home', 'fry', 'cheese', 'mini', 'pancake']

Avant :     There are a lot of large apt complexes around here with very few places to eat which is the only exp
Après :     ['lot', 'complex', 'place', 'eat', 'explanation', 'yelp_review', 'crowd', 'weekend', 'food', 'menu']

Avant :     Asked my husband on his way home this evening from work to stop by Taco Bell to grab me an order of 
Après :     ['ask', 'husband', 'way', 'home', 'evening', 'work', 'stop', 'grab', 'order', 'bell']

Avant :     This location has always had good food and service in the past but my last 3 purchases have been awf
Après :     ['location', 'food', 'service', 'purchase', 'use', 'drive', 'week', 'food', 'beef', 'lettuce']

Avant :     What happens when you you put a faux country gift shop/restaurant near a busy highway and  you add r
Après :     ['happen', 'put', 'country', 'gift', 'shop', 'restaurant', 'highway', 'add', 'rock', 'chair']

Avant :     Nice for the laid back approach. Burger was delicious. The service was not so great. The margaritas 
Après :     ['lay', 'approach', 'furniture', 'room', 'move', 'loud']

Avant :     I heard a lot of good things from fellow yelpers so I thought when visiting the French Quarter for t
Après :     ['hear', 'lot', 'thing', 'yelper', 'think', 'visit', 'quarter', 'time', 'wife', 'stop']

Avant :     Place has a great vibe, with a competent bartender it'd probably be great.  Female bartender told us
Après :     ['place', 'vibe', 'bartender', 'bartender', 'tell', 'wait', 'take', 'order', 'stand', 'place']

Avant :     Seriously slow service.  So bad that I  walked out.  I walked in and sat at a bar 50% full.  She too
Après :     ['service', 'walk', 'walk', 'sit_bar', 'take', 'minute', 'come', 'area', 'bar', 'refill_drink']

Avant :     I love this place so much. Me and my girlfriend grab something to eat there at least 3 times a month
Après :     ['love', 'place', 'girlfriend', 'grab', 'eat', 'time', 'month', 'thing', 'chicken', 'caprese']

Avant :     Came in today for a quick bite and a drink
The red headed bar manager was so rude
She was very vulga
Après :     ['come', 'today', 'bite', 'drink', 'head', 'bar', 'manager', 'rude', 'time', 'management']

Avant :     I came for lunch and had the Cuban. Lots of bread with little meat. Average at best. The "grilled ve
Après :     ['come', 'lunch', 'lot', 'bread', 'meat', 'average', 'grill', 'vegetable', 'side', 'vegetable']

Avant :     Hubs and I went to eat and grab a drink last night at about 8 maybe. Wasn't too busy, normal amount 
Après :     ['eat', 'grab', 'drink', 'night', 'amount', 'people', 'waitress', 'give', 'menu', 'order']

Avant :     Just let me say being from MD and going to FL for crabs was the biggest mistake of my trip!  I belie
Après :     ['let', 'say', 'md', 'crab', 'mistake', 'trip', 'believe', 'name', 'place', 'change']

Avant :     Delivery issues caused our pizza to be over 30 minutes later than the estimated delivery date.  Pizz
Après :     ['delivery', 'issue', 'cause', 'pizza', 'minute', 'estimate', 'delivery', 'date', 'pizza', 'arrive']

Avant :     Extremely rude staff (including management). I had ordered carry out only to return home with the wr
Après :     ['staff', 'include', 'management', 'order', 'carry', 'return', 'order', 'family', 'restriction', 'eat']

Avant :     we went here and there was maybe one other table eating and our order wasn't taken for 20 minutes. w
Après :     ['table', 'eat', 'order', 'take', 'minute', 'wait', 'food', 'minute', 'end', 'leave']

Avant :     Very poor service, we ask for few extra things on our pizza and they forget and cook half way, they 
Après :     ['service', 'ask', 'thing', 'pizza', 'forget', 'cook', 'way', 'hope', 'time', 'come']

Avant :     Absolutely awful lunch buffet coordination. 11:45 and no pizza on the buffet. It's prime lunch time.
Après :     ['lunch', 'time', 'server', 'restaurant', 'cashier', 'thing', 'kitchen', 'pizza', 'arrive', 'pizza']

Avant :     Without a doubt the WORST Pizza Hut I have ever ordered from. Please save your time and money and go
Après :     ['pizza_hut', 'order', 'save', 'time', 'money', 'order', 'occasion', 'order', 'time', 'weekend']

Avant :     I ordered a taco pizza through the online portal. THIRTY MINUTES ELAPSED, 10 OF WHICH I WAITING IN S
Après :     ['order', 'online', 'minute', 'elapse', 'waiting', 'store', 'tell', 'store', 'pizza', 'ingredient']

Avant :     Ordered a pizza and was told 25-35 minutes. HOUR AND A HALF LATER and after calling 3 times they fin
Après :     ['order', 'pizza', 'tell', 'minute', 'hour', 'call', 'time', 'say', 'come', 'call']

Avant :     My  husband and I came here for lunch two weeks ago and the service was horrible. The bus boy was mo
Après :     ['husband', 'come', 'lunch', 'week', 'service', 'bus_boy', 'need', 'customer', 'manager', 'give']

Avant :     we went here and there was maybe one other table eating and our order wasn't taken for 20 minutes. w
Après :     ['table', 'eat', 'order', 'take', 'minute', 'wait', 'food', 'minute', 'end', 'leave']

Avant :     I feel they must be resting on some old laurels no one remembers they had.  That or people who grow 
Après :     ['feel', 'rest', 'laurel', 'remember', 'people', 'grow', 'leave', 'understand', 'pizza', 'local']

Avant :     This place is ok not the best around just a average pizza place.gave it A second try and the same th
Après :     ['place', 'pizza', 'place', 'give', 'try', 'thing', 'cheesesteak', 'fry', 'overcook', 'come']

Avant :     Place still sucks was there last nite nothing changed! Maybe the manger will mail me again. And say 
Après :     ['place', 'suck', 'change', 'manger', 'mail', 'say', 'keep', 'word', 'food', 'suck']

Avant :     The pizza has a good flavor but everything else presents a problem. The squirrel answering the phone
Après :     ['pizza', 'flavor', 'present', 'problem', 'squirrel', 'answer_phone', 'mess', 'order', 'time', 'visit']

Avant :     Zero stars for the Chicken Teriyaki Lunch Bento Box.  I have literally never seen a bento box come w
Après :     ['star', 'box', 'see', 'bento', 'box', 'come', 'rice', 'disappoint']

Avant :     The restaurant looks nice. We order two sushi rolls and one tuna tartare.  tuna tartare was ok but t
Après :     ['restaurant', 'look', 'order', 'roll', 'tuna', 'tartare', 'tuna', 'tartare', 'roll', 'taste']

Avant :     The worst sushi I have ever had. Huge pieces and weird rolls. Tried Bloomingdales role and the other
Après :     ['piece', 'roll', 'try', 'bloomingdale', 'role', 'roll', 'recommend', 'potato', 'roll', 'event']

Avant :     I went here with a friend who had a Groupon.  The sushi was horrible, full of filler breadcrums and 
Après :     ['friend', 'groupon', 'filler', 'breadcrum', 'fish', 'take', 'lot', 'time', 'care', 'plate']

Avant :     Plain, bland, not good sushi restaurant.  3-4 younger Chinese boys were the sushi chefs.  None of th
Après :     ['bland', 'boy', 'none', 'staff', 'experience', 'dragon', 'roll', 'spider_roll', 'crab', 'tuna_roll']

Avant :     This is not an authentic sushi place.  If you are going to order spicy tuna and salmon then this the
Après :     ['place', 'order', 'tuna', 'salmon', 'place', 'wait', 'dinner', 'head', 'knot']

Avant :     Two stars for quick service, interior decor and glittery walls. The food was really bad. The sweet p
Après :     ['star', 'service', 'decor', 'glittery', 'wall', 'food', 'potato', 'roll', 'bit', 'piece']

Avant :     Waiter was super impatient. Fish is not very fresh. Cover everything in sauce. No alcohol. Then in t
Après :     ['waiter', 'fish', 'cover', 'sauce', 'alcohol', 'meal', 'person', 'restaurant', 'stop', 'work']

Avant :     The sushi was just ok. Nothing tastes fresh have definitely had better sushi for the same price. Ser
Après :     ['taste', 'price', 'service', 'bring', 'couple', 'check', 'meal']

Avant :     Not a huge fan. Has the lunch special (2 rolls + salad for $9). The salad is boring and plain- some 
Après :     ['fan', 'lunch', 'roll', 'salad', 'salad', 'bore', 'lettuce', 'problem', 'fall', 'shrimp']

Avant :     NEVER AGAIN!  loud....over crowded space..rushed us in...slammed order on table ..wasabi fell into m
Après :     ['crowd', 'space', 'rush', 'slam', 'order', 'table', 'wasabi', 'fall', 'bag', 'food']

Avant :     I patronage this restaurant for three years along with bringing more black customers to this establi
Après :     ['patronage', 'restaurant', 'year', 'bring', 'customer', 'establishment', 'tonight', 'tell', 'table', 'owner']

Avant :     I just got a grubhub delivery and the sushi is inedible. I ordered the lunch special three rolls wit
Après :     ['delivery', 'order', 'lunch', 'roll', 'rice', 'rice', 'mush', 'fish', 'wet', 'try']

Avant :     I used to love this place but something has changed. The last two times we ordered from here the foo
Après :     ['use_love', 'place', 'change', 'time', 'order', 'food', 'seem', 'noodle']

Avant :     First the good: food was quickly delivered, place was clean.  Now the bad: sashimi had several unide
Après :     ['food', 'deliver', 'place', 'specie', 'fish', 'sell', 'tuna', 'fact', 'quality', 'fish']

Avant :     It was my first time going to crazy sushi for a friends birthday. I ordered the Sakura roll and the 
Après :     ['time', 'friend', 'birthday', 'order', 'time', 'deliver', 'find_hair', 'fry', 'proceed', 'pull']

Avant :     Humble store front with a cool modern lounge vibe on the inside. That earns them one star. Friendly 
Après :     ['store', 'front', 'lounge', 'vibe', 'earn', 'star', 'service', 'bump', 'food', 'sum']

Avant :     Fishy tasting roles served on overly complicated plates. The individual pieces were cut with what lo
Après :     ['taste', 'role', 'serve', 'plate', 'piece', 'cut', 'look', 'knife', 'give', 'fish']

Avant :     Horrible sauce poured over everything! Straight-from-the-botte ITALIAN DRESSING was generously poure
Après :     ['sauce', 'pour', 'botte', 'dressing', 'pour', 'salmon', 'roll', 'deliver', 'way', 'send']

Avant :     Nah! Not impressed. My daughter ordered chicken teriyaki which arrived late & was slimy. There were 
Après :     ['impress', 'daughter', 'order', 'arrive', 'slimy', 'impress', 'roll', 'taste', 'sauce', 'roll']

Avant :     I really want to like Crazy Sushi, especially because so many people are giving them good reviews, b
Après :     ['want', 'people', 'give', 'review', 'weekend', 'use', 'groupon', 'impress', 'order', 'couple']

Avant :     This place was crazy in a bad way. I came here for lunch during the week and experienced several pro
Après :     ['place', 'way', 'come', 'lunch', 'week', 'experience', 'problem', 'restaurant', 'start', 'wait']

Avant :     We were greeted when we stepped through the door.  We ordered our food.  As we were watching the emp
Après :     ['greet', 'step', 'door', 'order', 'food', 'watch', 'employee', 'blow', 'move', 'hustle']

Avant :     Well my daughter and I figured we'd try the new place on Speedway before the one opens up on our sid
Après :     ['daughter', 'figure', 'try', 'place', 'open', 'side', 'town', 'let', 'say', 'burger']

Avant :     This review is for service only, not the food.  I love Blake's crushed ice...I know that's a strange
Après :     ['review', 'service', 'food', 'love', 'blake', 'crush', 'ice', 'know', 'thing', 'love']

Avant :     I would give it half or no stars if I could. First when we walked in the line was to the door. There
Après :     ['give_star', 'walk', 'line', 'door', 'line', 'find', 'line', 'complaint', 'correction', 'order']

Avant :     Absolutely terrible service. Went through the drive thru and waited OVER 15 MINUTES for my food. Abs
Après :     ['service', 'drive', 'wait_minute', 'food']

Avant :     First visit today. Super small lobby. Not enough seating. The seating they have is overly fancy and 
Après :     ['visit', 'today', 'lobby', 'seating', 'seat', 'price', 'menu', 'burger', 'mediocre', 'whataburger']

Avant :     These burgers aren't good. In n out is way better and cheaper. The fries are good tho
Après :     ['burger', 'way', 'fry', 'tho']

Avant :     I was so excited about Blake's Lotaburger opening on River and Craycroft by my house. I went through
Après :     ['blake', 'opening', 'drive', 'wait', 'disappoint', 'burger', 'eat', 'sauce', 'way', 'end_throw']

Avant :     Not impressed.  The burger patty was very thin and over cooked.  You are mainly eating a ton of brea
Après :     ['eat', 'ton', 'bread', 'burger', 'option']

Avant :     I went to the Blake's on River and Craycroft which recently opened. I ordered a cheeseburger and fri
Après :     ['river', 'craycroft', 'open', 'order', 'cheeseburger', 'fry', 'milkshake', 'order', 'chicken_finger', 'boat']

Avant :     This is why millennials are broke. $16 for a smoothie and it's always so busy that you have to wait 
Après :     ['millennial', 'break', 'smoothie', 'wait_minute', 'food', 'save_money', 'eat', 'home', 'fun', 'treat']

Avant :     I guess if you like natural flavorless smoothies this is the place to go. The smoothies didn't taste
Après :     ['guess', 'flavorless', 'smoothie', 'place', 'smoothie', 'taste', 'taste', 'end_throw', 'taste', 'sip']

Avant :     Waited for over 15 min for an açaí bowl.. the orders kept getting mixed up (4 ppl got the wrong thin
Après :     ['wait', 'bowl', 'order', 'keep', 'ppl', 'thing']

Avant :     Seriously I am a regular at this place going there once a week at least & today I ordered two acaí b
Après :     ['place', 'week', 'today', 'order', 'acai_bowl', 'disappoint', 'feel', 'start', 'grow', 'start']

Avant :     The smoothies here were so bland. They did not taste fresh at all. And it was $9! I did like the act
Après :     ['smoothie', 'bland', 'taste', 'environment', 'set', 'business']

Avant :     Went here for lunch. Waited 30 min for a salad, a wrap and a sandwich all which came at different ti
Après :     ['lunch', 'wait_min', 'salad', 'wrap', 'sandwich', 'come', 'time', 'think', 'people', 'want']

Avant :     I recently moved to St Pete from NYC and at first glance I was excited for a great healthy smoothie.
Après :     ['move', 'glance', 'excite', 'smoothie', 'smoothie', 'coffee', 'price', 'compare', 'coffee', 'drip_coffee']

Avant :     Ordered a sandwich on one ticket my boyfriend ordered a sandwich on Another they gave us two of the 
Après :     ['order', 'sandwich', 'ticket', 'boyfriend', 'order', 'sandwich', 'give', 'sandwich', 'spicey', 'handle']

Avant :     Dam I was so happy with this food last night. Today is a different story.  I'm sicker than a dog. Wo
Après :     ['dam', 'food', 'night', 'today', 'story', 'sicker', 'dog', 'work', 'day', 'push']

Avant :     This is by far the worst food I have ever eaten. Ordered a pulled pork with rabe. It looked like shr
Après :     ['food', 'eat', 'order', 'pull_pork', 'rabe', 'look', 'shred', 'cat', 'food', 'smell']

Avant :     This place is dirty, don't look up at the nasty ac vents, the floor is gross. The food wad bad. I ha
Après :     ['place', 'look', 'ac', 'vent', 'floor', 'food', 'wad', 'pork_sandwich', 'bunch', 'piece']

Avant :     They are closed. Replaced by a pizza restaurant. R.I.P.

Used to be a great place. Too bad it's gone
Après :     ['replace', 'pizza', 'restaurant', 'use', 'place', 'port', 'business']

Avant :     Just meh ramen, having people wait outside in line, in the sun, is in fact a stupid idea (even thoug
Après :     ['people', 'wait_line', 'sun', 'fact', 'idea', 'management', 'petty', 'put', 'door', 'state']

Avant :     We had spicy miso ramen and spicy tonkotsu ramen. Both were equally spicy. The spicy miso noodles we
Après :     ['miso', 'raman', 'spicy', 'tonkotsu', 'raman', 'spicy', 'miso', 'noodle', 'tonkotsu', 'noodle']

Avant :     We used to come here once a week for breakfast and I'm thinking that we need to find a new place. Th
Après :     ['use', 'come', 'week', 'breakfast', 'thinking', 'need', 'find', 'place', 'cinnamon', 'roll']

Avant :     Quality has gone downhill.  I got my husband the breakfast burrito and he asked me,  with all sincer
Après :     ['quality', 'husband', 'breakfast', 'ask', 'breakfast', 'menu', 'expensive', 'burrito', 'piece', 'zucchini']

Avant :     The absolute worst customer service ever! I had a sleeping baby in my arms as I ordered and asked (k
Après :     ['customer_service', 'sleep', 'baby', 'arm', 'order', 'ask', 'know', 'baby', 'sleep', 'arm']

Avant :     What happened here? I used to love this pizza. I thought it was the best in town. It was my default.
Après :     ['happen', 'use_love', 'pizza', 'think', 'town', 'default', 'pizza', 'purchase', 'grant', 'size']

Avant :     The pizza was mediocre, and the service was terrible. They forgot one of our orders, and didn't brin
Après :     ['pizza', 'service', 'forget', 'order', 'bring', 'eat', 'refill_drink', 'see', 'sit', 'recommend']

Avant :     Blue Moon Pizza just doesn't get it! After my wife called to order a pizza to go, she explained to t
Après :     ['moon', 'pizza', 'wife', 'call', 'order', 'pizza', 'explain', 'lady', 'answer', 'telephone']

Avant :     We have frequented Blue Moon Pizza for many years and have noticed the quality has gone way down fro
Après :     ['frequent', 'moon', 'pizza', 'year', 'notice', 'quality', 'way', 'use', 'time', 'find']

Avant :     I and a friend went to this establishment at 8:30 pm sharp, and the young man working their said as 
Après :     ['friend', 'establishment', 'man', 'working', 'say', 'walk', 'stop', 'take', 'order', 'friend']

Avant :     Blue Moon Pizza now has outrageous prices ... not to mention their always snooty, condescending, nas
Après :     ['moon', 'pizza', 'price', 'mention', 'condescend', 'wait', 'staff', 'yesterday', 'pick', 'pizza']

Avant :     Nice place but the service was so so slow! We were the only group in there, none of us ordered anyth
Après :     ['place', 'service_slow', 'group', 'none', 'order', 'hour', 'wait', 'come', 'place', 'town']

Avant :     The chicken wings here are nasty. Fatty and greasy skin, and the chicken meat smelled funny. I threw
Après :     ['chicken', 'wing', 'fatty', 'skin', 'chicken', 'meat', 'smell', 'throw', 'order', 'ask']

Avant :     Walked up with a group to serve 10 - parents and kids.  After trying to get someone to come to walk 
Après :     ['walk', 'group', 'serve', 'parent', 'kid', 'try', 'come', 'walk', 'window', 'leave']

Avant :     This place is terrible. They wouldn't serve me because of the color of my skin. We ended up waiting 
Après :     ['place', 'serve', 'color', 'skin', 'end', 'wait', 'ass', 'food', 'hour', 'oz']

Avant :     Worst service ever. Took our server 15 minutes to greet us in the first place. Then took him another
Après :     ['service', 'take', 'server', 'minute', 'greet', 'place', 'take', 'bring', 'drink', 'proceed']

Avant :     Not the best experience I had the Thai Shrimp Salad. I would just say I am reminded why I never go t
Après :     ['experience', 'salad', 'say', 'remind']

Avant :     I did not appreciate my service, or lack there of! We arrived and waited 15 minutes.  The host didn'
Après :     ['appreciate', 'service', 'lack', 'arrive', 'wait_minute', 'host', 'drop', 'table', 'point', 'decide']

Avant :     I was looking forward to meeting a friend for dinner and we decided on a restaurant we usually both 
Après :     ['look', 'meet_friend', 'dinner', 'decide', 'restaurant', 'enjoy', 'hostess', 'walk', 'table', 'point']

Avant :     It's going downhill fast, as they were out of Jack Daniels and happy hour wines.  No replacement on 
Après :     ['jack', 'hour', 'wine', 'replacement', 'hour', 'chicken', 'start', 'order', 'cook', 'catch']

Avant :     Not worth telling the story because it is Horrible every time. Prices are sky high, the food is ill 
Après :     ['tell', 'story', 'time', 'price', 'sky', 'food', 'prepare', 'staff', 'want', 'take']

Avant :     I should have walked out when the host threw the menus on the table and walked off. It took 6 minute
Après :     ['walk', 'host', 'throw', 'menus', 'table', 'walk', 'take', 'minute', 'second', 'waiter']

Avant :     I am visiting from Chicago and stopped for dinner.  Food is VERY salty which any Thai cook will tell
Après :     ['visit', 'stop', 'dinner', 'food', 'tell', 'style', 'stir_fry', 'burn', 'rice', 'service']

Avant :     The food was good and the atmosphere was great.  I really wanted to like Sukho Thai, but the service
Après :     ['food', 'atmosphere', 'want', 'woman', 'work', 'seem', 'dare', 'eat', 'restaurant', 'dessert']

Avant :     We have been going to this restaurant for about 2 years. We were regulars until now, but after what 
Après :     ['restaurant', 'year', 'regular', 'happen', 'tonight', 'back', 'notice', 'bill', 'alot', 'add']

Avant :     This was pretty disappointing and understandable that it is empty.  People keep coming in and orderi
Après :     ['people', 'keep', 'come', 'order', 'takeout', 'guess', 'take', 'bathroom', 'sign', 'order']

Avant :     OMG!  This is by far the worst Thai food I have ever eaten.  The food was bland, and seemed reheated
Après :     ['food', 'eat', 'food', 'bland', 'seem', 'restaurant', 'odor', 'bathroom', 'phone', 'rang']

Avant :     Very disappointed!  The service was horrible.  I was in the restaurant for a takeout order of 4 fish
Après :     ['service', 'restaurant', 'takeout', 'order', 'fish', 'wait', 'hour', 'turn', 'dish', 'make']

Avant :     Sorry for putting rain on your parade, but I was disappointed by Sukho Thai. I am going to give them
Après :     ['put', 'rain', 'parade', 'give_benefit', 'doubt', 'food', 'fry_rice', 'bit', 'bother', 'lack']

Avant :     Decided to stop by here on our way to vacation. It's just a little building on the corner, out in th
Après :     ['decide', 'stop', 'way', 'vacation', 'building', 'corner', 'middle', 'worker', 'establishment', 'smile']

Avant :     Worst Krystal's that i have had the misfortune to choose. Waited thirty minutes to get a sack of 12
Après :     ['misfortune', 'choose', 'wait_minute']

Avant :     I'm not sure what happened in the kitchen the afternoon of December 20th but the chicken cheesteak I
Après :     ['happen', 'kitchen', 'afternoon', 'cheesteak', 'thought', 'chunk', 'chicken_breast', 'look', 'process', 'steakumm']

Avant :     The food is not very good. The only thing nice is the environment.
Après :     ['food', 'thing', 'environment']

Avant :     Awful experience, the $10 rolls I got were super little. Also, it took forever for our waitress to g
Après :     ['experience', 'roll', 'take', 'table', 'check', 'give', 'check', 'ask', 'fix', 'charge']

Avant :     This place has gone way downhill. Used to be my favorite sushi place in the St Louis area and now I 
Après :     ['place', 'use', 'recommend', 'past', 'hour', 'menu', 'choose', 'part', 'place', 'time']

Avant :     It was my first time at Mizu. It took 10 minutes for someone to greet us. The first appetizer wasn't
Après :     ['time', 'take', 'minute', 'greet', 'appetizer', 'seasoning', 'water', 'ask', 'part', 'lack']

Avant :     I went here a few days ago ignoring the warnings from my coworkers that this place had bad sushi. Bu
Après :     ['day', 'ignore', 'warning', 'coworker', 'place', 'saltiest', 'rice', 'sushi', 'seem', 'process']

Avant :     Pretty disappointed. We came here for dinner. Sushi rice was dry and barely any avocado in my sushi.
Après :     ['come', 'dinner', 'order', 'yaki', 'way']

Avant :     Nope.  Never again!!  I've given this place 3 trys because I work downtown and not a one was a good 
Après :     ['give', 'place', 'try', 'work', 'downtown', 'experience', 'fish', 'price', 'way', 'order']

Avant :     This place could be really cool but It has been neglected and the food is kind of mediocre. Plus my 
Après :     ['place', 'cool', 'neglect', 'food', 'kind', 'waiter', 'lunch', 'take', 'coffee', 'cold']

Avant :     Decided to try this new sushi place that opened. There is some good sushi in the area (Ahi, and Toka
Après :     ['decide', 'try', 'place', 'open', 'spot', 'shoe', 'fill', 'care', 'tuna_roll', 'salmon']

Avant :     I have read some of the other reviews and should have read them before trying this place.  Eating sh
Après :     ['read_review', 'read', 'try', 'place', 'eat', 'start', 'eat', 'garden', 'hillsborough', 'drive']

Avant :     Probably an amazing bar- I typically LOVE Margaritaville bars, but the security guard here was SO ru
Après :     ['bar', 'love', 'bar', 'security', 'rude', 'disrespectful', 'ask', 'put', 'damper', 'day']

Avant :     Wasn't impressed, yes it was a Sat night, yes the NHL playoffs were across the street so I expected 
Après :     ['impress', 'night', 'nhl', 'playoff', 'street', 'expect', 'wait', 'wait_min', 'table', 'come']

Avant :     I was disappointed with the food. The grilled chicken salad tasted like they pulled the chicken out 
Après :     ['food', 'grill', 'chicken', 'salad', 'taste', 'pull', 'chicken', 'freezer', 'pm', 'group']

Avant :     Don't be surprised if the manager makes you out to be a liar. Tried to get a table after a hockey ga
Après :     ['manager', 'make', 'liar', 'try', 'table', 'hockey', 'game', 'table', 'seat', 'ask']

Avant :     SUB PAR MARGARITAVILLE!
Served a Margarita in a broken glass.  Very visibly broken. When repoured it
Après :     ['sub', 'serve', 'break', 'glass', 'break', 'repoure', 'fry', 'floor', 'crab', 'dip']

Avant :     Worst service I have ever had at a bar and the most disgusting bathroom I've ever been in and I'm a 
Après :     ['service', 'bar', 'disgust', 'bathroom']

Avant :     Awful service burger was raw when asked to be medium well. Waitress was rude dropped the food ran aw
Après :     ['service', 'burger', 'ask', 'waitress', 'rude', 'drop', 'food', 'run', 'drop', 'check']

Avant :     Worth a stop if you're a JB fan.  But sadly, the margarita's are average at best.  Come On Jimmy ---
Après :     ['stop', 'fan', 'average', 'come', 'make', 'staff', 'mix', 'food', 'average', 'look']

Avant :     Hockey night and so a little slow. Service was just okay. The food was not worth the cost at all. Dr
Après :     ['hockey', 'night', 'service', 'food', 'cost', 'sandwich']

Avant :     The food was decent, when we did get it. The drinks were way overpriced for premixed drinks, but tha
Après :     ['food', 'drink', 'way_overprice', 'drink', 'make', 'money', 'focus', 'brandy', 'come', 'table']

Avant :     There are other places on the strip to go.. Skip it. The drinks are weak and basically all ice. Food
Après :     ['place', 'skip', 'drink', 'ice', 'food', 'mediocre', 'wait']

Avant :     Bland, bland, bland food, over priced also. Two Margaritas and one appetizer, almost 30 bucks. Marga
Après :     ['bland', 'bland', 'food', 'price', 'margarita', 'appetizer', 'buck', 'margarita', 'ice', 'quesadilla']

Avant :     We went to Margaritaville Saturday night after the Predators game.  Our goal was a quick drink and b
Après :     ['night', 'predator', 'game', 'drink', 'bite', 'eat', 'take', 'time', 'order', 'receive']

Avant :     What is going on with this place? Always short-staffed, and remaining staff is surly in the weekday 
Après :     ['place', 'staff', 'remain', 'staff', 'weekday', 'morning', 'today', 'church', 'open', 'sign']

Avant :     First time to Plush and a little disappointed!  I cannot remark about the food, didn't have any, but
Après :     ['time', 'plush', 'remark', 'food', 'smell', 'review', 'ambience', 'find', 'know', 'place']

Avant :     I absolutely love Jimmy Johns. I will never come back to this one.  They screwed up my ordered and t
Après :     ['love', 'come', 'screw', 'order', 'response', 'take', 'sandwich', 'serve', 'health_code', 'violation']

Avant :     Awful weak, thin crust with cheese and toppings falling off when you try to pick it up.
Après :     ['crust', 'cheese', 'topping', 'fall', 'try', 'pick']

Avant :     The was a reason why this BK was practically empty when I stopped in for a quick breakfast the other
Après :     ['reason', 'bk', 'stop', 'breakfast', 'day', 'biscuit', 'sandwich', 'enclose', 'content', 'appear']

Avant :     Pretty decent, always has been clean and orderly. Found the specific BK to be quite noisy amongst em
Après :     ['clean', 'find', 'employee', 'stick', 'drive', 'employee', 'see', 'dance', 'word']

Avant :     I just moved here and have been a Chinese food lover for ever. I have had some bad chinese food, but
Après :     ['move', 'food', 'food', 'people', 'mess', 'egg', 'noodle', 'call', 'slop', 'make']

Avant :     Small selection, cold food and the nasty after taste stayed in my mouth from lunch until I went to s
Après :     ['selection', 'food', 'taste', 'stay', 'mouth', 'lunch', 'sleep']

Avant :     I HIGHLY DO NOT RECOMMEND !!Late lunch (1:30pm) on Monday 7/16. No more than 4 tables. Seated at a d
Après :     ['lunch', 'table', 'seat', 'table', 'waiter', 'come', 'minute', 'ask', 'want', 'water']

Avant :     Me and my girlfriend went on a Wednesday about 2:00 in the afternoon. The Decor very run down lookin
Après :     ['girlfriend', 'afternoon', 'run', 'look', 'food', 'guy', 'seat', 'act', 'hate_job', 'waitress']

Avant :     If there were an option for zero stars, they would have it. Stood at the door, three people said "We
Après :     ['option', 'star', 'stand', 'door', 'people', 'say', 'waiter', 'seat', 'window', 'minute']

Avant :     Went for dinner with a group from work. Most horrible experience I have had in a restaurant in a ver
Après :     ['dinner', 'group', 'work', 'experience', 'restaurant', 'time', 'waiter', 'rude', 'come', 'table']

Avant :     Have really enjoyed the food here before today....bbq pork sanwich meat was barely warm and chicken 
Après :     ['enjoy', 'food', 'today', 'meat', 'soup', 'broth', 'need', 'season']

Avant :     Worst quality food I've seen in a long time. Caesar Salad was served with brown lettuce and the chic
Après :     ['quality', 'food', 'see', 'time', 'salad', 'serve', 'lettuce', 'chicken', 'fatty', 'piece']

Avant :     Yeah, this place would be good if you didn't have tastebuds. Or a mouth. I'm sorry, that's not fair.
Après :     ['place', 'good', 'mouth', 'beer', 'day', 'work', 'hammy', 'holiday', 'know', 'seem']

Avant :     I used to love eating at this local restaurant.  Last meal i had there tasted like it came from a ca
Après :     ['use_love', 'eat', 'restaurant', 'meal', 'taste', 'come', 'pay', 'price', 'prepare', 'eat']

Avant :     First off, their bar doesn't have ginger ale.  Ate their on a Friday night.   Crowded,  had to wait 
Après :     ['bar', 'ginger', 'ale', 'eat', 'night', 'crowd', 'wait', 'table', 'food', 'mind']

Avant :     Where to even start with this place! We coordinated a team dinner here and it was terrible from star
Après :     ['start', 'place', 'coordinate', 'team', 'dinner', 'start', 'finish', 'food', 'take', 'hr']

Avant :     I don't want to bash the heck out of this place with my review and frankly this place is not worth t
Après :     ['want', 'heck', 'place', 'review', 'place', 'time', 'take', 'let', 'say', 'back']

Avant :     Worst service ever..... Took us 30 minutes to get acai bowls and the people sitting next to us waite
Après :     ['service', 'take', 'minute', 'bowl', 'people', 'sit', 'wait_min', 'coffee', 'urgency', 'place']

Avant :     I'm a big fan of St Louis Bread Co, but the experience I had this morning was horrible. I stopped by
Après :     ['bread', 'experience', 'morning', 'stop', 'drive', 'schedule', 'person', 'front', 'take', 'minute']

Avant :     Horrible experience, pizza was soggy and cold when I received it, took 2 hours until I actually rece
Après :     ['experience', 'pizza', 'cold', 'receive', 'take', 'hour', 'receive', 'order', 'communication', 'order']

Avant :     I only tried a couple of pizzas so I can't speak for the rest of the menu but the Meat Lover's and t
Après :     ['try', 'couple', 'pizza', 'speak', 'rest', 'menu', 'meat', 'experience', 'topping', 'think']

Avant :     Surly service and 3 donuts smashed together - with no wax paper - in the bottom of the bag. I won't 
Après :     ['service', 'donut', 'smash', 'wax', 'paper', 'bag', 'make', 'point', 'reason', 'give_star']

Avant :     Worst sushi ever I said something to managment and they said it was good but when I can smell it bef
Après :     ['say', 'managment', 'say', 'smell', 'hit', 'mouth', 'thank', 'eat', 'remake', 'offer']

Avant :     Average sushi. Horrible service. Just ordered on Uber eats and the food took 30 minutes longer than 
Après :     ['service', 'order', 'uber_eat', 'food', 'take', 'minute', 'estimate', 'take', 'hour_half', 'dinner']

Avant :     I had been here before and the people that work there have no patience what's so ever. I just ordere
Après :     ['people_work', 'patience', 'order', 'uber_eat', 'time', 'realize', 'click', 'box', 'click', 'box']

Avant :     I eat sushi regularly and have tried many places in the area. I came to Wasabi because I had a Group
Après :     ['eat', 'try', 'place', 'area', 'come', 'groupon', 'fish', 'finish', 'roll', 'recommend']

Avant :     I think the main attraction for neighborhood goers is the convenience because it definitely it not t
Après :     ['think', 'attraction', 'neighborhood', 'goer', 'convenience', 'food', 'eat', 'friend', 'snowcrab', 'salad']

Avant :     Sad to say the atmosphere and service of this location are awful.. The food was prepared wrong but s
Après :     ['say', 'atmosphere', 'service', 'location', 'food', 'prepare', 'come', 'order', 'take', 'time']

Avant :     Yikes. Where do I begin? Shall I begin with when did Indians learn to cook Mexican? Food, just ok - 
Après :     ['yike', 'begin', 'begin', 'indian', 'learn', 'cook', 'food', 'ok', 'smell', 'kfc']

Avant :     Went there yesterday the combo was almost 10.00 the burger was burned to a crisp,fries and drink wer
Après :     ['yesterday', 'combo', 'burger', 'burn', 'fry', 'drink', 'tell', 'cashier', 'say', 'look']

Avant :     WARNING: DO NOT EAT HERE!!!!!!! My husband wanted to grab something quick to eat and unfortunately h
Après :     ['warning', 'eat', 'husband', 'want', 'grab', 'eat', 'choose', 'place', 'take_min', 'make']

Avant :     20 minutes and we still hadn't received our food. There were no other customers before us. It was on
Après :     ['minute', 'receive', 'food', 'customer', 'ask', 'refund', 'give', 'attitude', 'doubt', 'wait']

Avant :     I keep seen commercials for this place on Tv...went there this after noon...it was closed down...I g
Après :     ['keep', 'see', 'commercial', 'place', 'tv', 'noon', 'guess', 'review', 'place', 'work']

Avant :     I am sad to see the ingredient changes of the Make It Grain salad and the Walnut Noodle Salad. I won
Après :     ['see', 'ingredient', 'change', 'make', 'grain', 'salad', 'noodle', 'salad', 'wonder', 'eat']

Avant :     Ever since their new opening, service has been declining. I ordered the red coconut stir fry and ask
Après :     ['opening', 'service', 'decline', 'order', 'fry', 'ask', 'broccoli', 'shred', 'carrot', 'mushroom']

Avant :     I really liked this place when it opened but the quality has continued to decline.  Sad because the 
Après :     ['like', 'place', 'open', 'quality', 'continue', 'decline', 'concept', 'trip', 'accept', 'salt']

Avant :     Went to Honey grow today (12-21-15) around 6 o'clock and needed two 10.00 gift cards. It took 3 peop
Après :     ['honey', 'grow', 'today', 'clock', 'need', 'gift_card', 'take', 'people', 'minute', 'gift_card']

Avant :     Very hard to hear your number being called out. They should have a LED display just like the grocery
Après :     ['hear', 'number', 'call', 'lead', 'display', 'grocery', 'conversation', 'dinner', 'time', 'place']

Avant :     This was not the best, at least the salad.  The dressing just did not taste good and they were out o
Après :     ['salad_dress', 'taste', 'topping', 'want', 'disappointment', 'stir_fry', 'look']

Avant :     Enough. Just can't come here anymore. Forth time I've order to-go and get home and I'm missing extra
Après :     ['come', 'time', 'order', 'home', 'miss', 'extra', 'add', 'week', 'add', 'stirfry']

Avant :     I usually like this place, but this complaint is to the boss or corporate, whomever okayed their wor
Après :     ['place', 'complaint', 'boss', 'work', 'condition', 'restaurant', 'yesterday', 'notice', 'heat', 'worker']

Avant :     This place is SLOW!!  Food is good not sure if it's that good for the wait.  It needs better managem
Après :     ['place', 'food', 'wait', 'need', 'management']

Avant :     This is my first negative review and I feel bad for the restaurant but I rely on honest reviews for 
Après :     ['review', 'feel', 'restaurant', 'rely', 'review', 'meal', 'create', 'stir_fry', 'try', 'eat']

Avant :     They call a chicken salad sandwich two cubes of chicken with mayo in it and a salad with a salad tha
Après :     ['call', 'chicken', 'salad', 'sandwich', 'cube', 'chicken', 'mayo', 'salad', 'salad', 'bowl']

Avant :     If you order a salad, be carful for the ingredients.. I found bacon, Spanish in my Fuji Apple salad.
Après :     ['order', 'salad', 'ingredient', 'find', 'bacon', 'salad', 'add', 'cheese', 'taste', 'plate']

Avant :     Paradise is changing to Panera, and the changes I have seen make me not want to come back...not taki
Après :     ['change', 'panera', 'change', 'see', 'make', 'want', 'come', 'take', 'giving', 'point']

Avant :     Their food is average at best. Overpriced for what you get. 
I read other comments complaining about
Après :     ['food', 'average', 'read', 'comment', 'complain', 'service', 'pay', 'employee', 'work', 'hour']

Avant :     I love Panera and I eat there regularly in Texas. But this was the worst experience I've ever had at
Après :     ['love', 'eat', 'experience', 'panera', 'take', 'minute', 'order', 'oatmeal', 'minute', 'ask']

Avant :     They don't carry pastrami OR Rye Bread. I won't be back.
Après :     ['carry', 'rye', 'bread']

Avant :     This was by far the worst dining experience I've had in Tucson. Food was terrible, the service was u
Après :     ['dining_experience', 'food', 'service', 'uninforme', 'order', 'wrong', 'time', 'description', 'cashier', 'item']

Avant :     While lunch was great here, breakfast had the slowest service!! It's breakfast, c'mon. I don't need 
Après :     ['lunch', 'breakfast', 'service', 'breakfast', 'wait', 'cheese', 'ciabatta']

Avant :     Two very dissapointing dining experiences at Paradise.  

First was breakfast with my boys after soc
Après :     ['dissapointe', 'dining_experience', 'breakfast', 'boy', 'soccer', 'presentation', 'appetize', 'egg', 'lack_flavor', 'toast']

Avant :     Total fail. 

People smoking on patio while I am trying to eat. This place is a joke and I suggest y
Après :     ['people', 'smoke', 'patio', 'try', 'eat', 'place', 'joke', 'suggest', 'eat', 'smoking']

Avant :     While the pizza is always good, I have to sayly that our last delivery driver (and the company's lac
Après :     ['pizza', 'delivery_driver', 'company', 'lack', 'response', 'complaint', 'end', 'patronage', 'restaurant', 'delivery_driver']

Avant :     Supposedly this Burger King is open until midnight. We pull up in the drive thru at 11pm and were to
Après :     ['burger', 'midnight', 'pull', 'drive', 'pm', 'tell', 'make', 'item', 'clean', 'close']

Avant :     Not good! Maybe a bad cook or off night and most things are worth giving a second chance but not sur
Après :     ['cook', 'night', 'thing', 'give_chance', 'try', 'area', 'flavorless', 'spareribs', 'bland', 'good']

Avant :     This place has gone downhill over the years. The food quality is bad and the prices are higher. Serv
Après :     ['place', 'year', 'food', 'quality', 'price', 'service', 'depend', 'day', 'week', 'ton']

Avant :     Went here twice before for lunch special to do take out. The food tasted horrible and mine and hubby
Après :     ['lunch', 'take', 'food', 'taste', 'mine', 'hubby', 'rice', 'fill', 'way', 'container']

Avant :     Ate here this evening with family. Picked the Wok  based on yelp reviews and the fact we got takeout
Après :     ['eat', 'evening', 'family', 'pick', 'wok', 'base_yelp', 'review', 'fact', 'takeout', 'past']

Avant :     I've gotten take out food here quite a few times.  Up until recently, the food has been fantastic.


Après :     ['take', 'food', 'time', 'food', 'time', 'food', 'hit', 'order', 'dish', 'time']

Avant :     Desolate. Uninspiring. Depressing. 
The employees are very attentive and polite. I give them 4 stars
Après :     ['desolate', 'uninspire', 'depress', 'employee', 'attentive', 'give_star', 'food']

Avant :     NOT HAVE AGAIN: The meat burrito was terrible! Not a lot of meet and it tasted so bad, I only ate ha
Après :     ['meat', 'lot', 'meet', 'taste', 'eat', 'half', 'way_overprice', 'size', 'half', 'price']

Avant :     just ate here for the first time today.
my wife and I were cruzin around enjoying the day, decided, 
Après :     ['eat', 'time', 'today', 'wife', 'enjoy', 'day', 'decide', 'let', 'stop', 'try']

Avant :     It's going to be pretty hard to leave this review considering I couldn't even eat what I wanted to o
Après :     ['leave', 'review', 'consider', 'eat', 'want', 'order', 'come', 'breakfast', 'boyfriend', 'find']

Avant :     The food is great for a pizza place.  I would give them 4 stars but the feature item on their menu "
Après :     ['food', 'pizza', 'place', 'give_star', 'feature', 'item', 'menu', 'porchetta', 'feature', 'center']

Avant :     Their employees must write reviews here- TERRIBLE PIZZA SAUCE - Had a large plain cheese pizza. .one
Après :     ['employee', 'write_review', 'pizza', 'sauce', 'cheese', 'pizza', 'eat', 'make', 'sauce', 'taste']

Avant :     Every time we place an order for delivery, it is late and incorrect. We have called to complain ever
Après :     ['time', 'place', 'order', 'delivery', 'incorrect', 'call_complain', 'time', 'offer', 'take', 'money']

Avant :     Market Grill was a place where you could get a beer and talk to the friendly staff.  This was before
Après :     ['market', 'grill', 'place', 'beer', 'talk', 'staff', 'facelift', 'facelift', 'consist', 'starve']

Avant :     The people are cool and the sauces are good but other than that this place really doesnt have much g
Après :     ['people', 'cool', 'sauce', 'place', 'bell', 'price', 'spend', 'portion', 'matter', 'remind']

Avant :     We thought we would try roscoes based on the reviews. I was surprised how bland their food was. The 
Après :     ['thought', 'try', 'roscoe', 'base_review', 'surprise', 'food', 'shred', 'chicken', 'taste', 'meat']

Avant :     Coming from Baltimore, this would be a below average Mexican joint back home.  Food was decent and c
Après :     ['come', 'average', 'home', 'food', 'serve', 'school_cafeteria']

Avant :     A bit over priced for the same quality mexican you can make at home. A family of 4 will spend the sa
Après :     ['bit', 'price', 'quality', 'mexican', 'make', 'home', 'family', 'spend', 'town', 'fact']

Avant :     Ummm no, just no. This is like buying some Old Elpaso stuff at the grocery and doing it yourself. It
Après :     ['buy', 'stuff', 'grocery', 'portion', 'spend', 'fortune', 'mean', 'wait', 'stuff', 'pantry']

Avant :     Worst meal ever!! We had lunch delivered today and was totally disappointed. We called back to the l
Après :     ['meal', 'lunch', 'deliver', 'today', 'disappoint', 'call', 'back', 'location', 'tell', 'say']

Avant :     This one was a mystery to me. Friends of mine ranted and raved about this restaurant and finally tal
Après :     ['mystery', 'friend', 'mine', 'rant', 'rave', 'restaurant', 'talk', 'restaurant', 'remind', 'food']

Avant :     How is is smoking allowed in this joint?

I'm confused.  

Sincerely,

WTF
Après :     ['smoking', 'allow', 'wtf']

Avant :     They get my order wrong every time I go thru the drive through. This time, it was two kids cokes ins
Après :     ['order', 'wrong', 'time', 'drive', 'time', 'kid', 'coke', 'lemonade', 'order', 'miss']

Avant :     I do not now but the communication issue is with this Chick-fil-A as compared to the rest that I've 
Après :     ['communication', 'issue', 'fil', 'compare', 'rest', 'order', 'meal', 'family', 'pick', 'inform']

Avant :     Love Chick-fil-A ?  I do, but re-think about going to this new location? why?  poor traffic design, 
Après :     ['love', 'chick', 'fil', 'think', 'location', 'traffic', 'design', 'parking_lot', 'joke', 'light']

Avant :     I brought the general's chicken (white meat) it was awful. The chicken was fried so hard that I coul
Après :     ['bring', 'chicken', 'meat', 'chicken', 'fry', 'eat', 'dog', 'like', 'rib', 'tip']

Avant :     food was your typical Chinese food. definitely have had better. the vegetable lo mein tasted burnt. 
Après :     ['food', 'food', 'vegetable', 'taste', 'burn', 'chicken', 'fry_rice', 'chicken', 'option', 'dine']

Avant :     Culver's is what it is.   Kind of the red-headed step/lovechild of a fast food burger joint and an i
Après :     ['culver', 'kind', 'head', 'step', 'lovechild', 'food', 'burger', 'ice_cream', 'shoppe', 'crave']

Avant :     Had a live roach scurry past me and the manager replied they had just finished dinner service ....
Après :     ['live', 'past', 'manager', 'reply', 'dinner', 'service']

Avant :     Apparently I'm a glutton for punishment because I've had multiple bad experiences here. My favorite 
Après :     ['punishment', 'experience', 'chef', 'terminate', 'prepare', 'meal', 'lose', 'yell', 'assume', 'boss']

Avant :     Terrible service. Mediocre food (at best). This location is not one I'd recommend. It took over an h
Après :     ['service', 'food', 'location', 'recommend', 'take', 'hour', 'seat', 'birthday', 'reservation', 'people']

Avant :     I do not recommend eating here unless you're going for the hibachi experience. Service has been poor
Après :     ['recommend', 'eat', 'experience', 'service', 'time', 'dine', 'appetizer', 'think', 'eat', 'style']

Avant :     Went with my man for new year.  They sat us with an inexperienced cook and it definitely didn't show
Après :     ['sit', 'cook', 'showcase', 'kobe', 'brand', 'use', 'invite', 'lack', 'communication', 'skill']

Avant :     OK after giving u the 4th try .....been going here for years ...bdays and girls night .I'm literally
Après :     ['give', 'try', 'year', 'bday', 'girl', 'night', 'mind', 'sit', 'ur', 'table']

Avant :     This was not super yummy. Nothing was stand out delicious. We didn't do the hibachi table because of
Après :     ['stand', 'table', 'husband', 'allergy', 'sauce', 'soup', 'salad', 'come', 'meal', 'underwhelme']

Avant :     Typical mexican fare, service friendly, and food was good.  Nothing great, just typical.
Après :     ['service', 'food']

Avant :     The salad dressings come in little plastic cases already made up like bought. The wings are great BU
Après :     ['dressing', 'come', 'case', 'make', 'buy', 'wing', 'hate', 'give', 'amount', 'drummys']

Avant :     The pizza had good flavor and the wings were ok.  I think the food would have been better had we ate
Après :     ['pizza', 'flavor', 'wing', 'think', 'food', 'ate', 'order', 'delivery', 'food', 'take']

Avant :     If you like your pizza to taste like sweet jam on a warm cracker with cold meat on top, this is the 
Après :     ['pizza', 'taste', 'jam', 'cracker', 'meat', 'pizza', 'delivery', 'take', 'hour', 'pizza']

Avant :     Pizza is done well. Very tasty. However, the garlic cheese bread, or any of their sandwiches on fren
Après :     ['pizza', 'cheese', 'bread', 'sandwich', 'loaf', 'bread', 'taste', 'chlorinate', 'eat', 'make']

Avant :     Do not waste your time ordering take out.  Ive waited over an hour and received the wrong order twic
Après :     ['waste_time', 'order', 'take', 'wait', 'hour', 'receive', 'order', 'place', 'stink']

Avant :     I was pretty disappointed. Got the hot and sour seafood noodle soup that was neither hot or sour. Th
Après :     ['seafood', 'noodle_soup', 'spring_roll', 'service', 'ask', 'want', 'soda', 'refill', 'charge', 'soda']

Avant :     Another service horror story...

It was just another dinner and a movie nights.  Maybe a Friday.  It
Après :     ['service', 'horror', 'story', 'dinner', 'movie', 'night', 'kind', 'hostess', 'offer', 'insistence']

Avant :     This restaurant used to be good but now the food is very average and the man that waited on us recen
Après :     ['restaurant', 'use', 'food', 'man', 'wait', 'act', 'want', 'job']

Avant :     My friends and I went to Marmont for a girl's night out last weekend.  The website makes the place l
Après :     ['friend', 'girl', 'night', 'weekend', 'website', 'make', 'place', 'look', 'ambiance', 'food']

Avant :     I liked the fact that this place had such a diverse menu but still have to give it two stars.  It wa
Après :     ['like', 'fact', 'place', 'menu', 'give_star', 'seating', 'steak', 'come', 'figure', 'mess']

Avant :     Went there for restaurant week, I felt like I was being rushed out, we weren't even done our dessert
Après :     ['restaurant', 'week', 'feel_rush', 'dessert', 'waiter', 'bring', 'check', 'think', 'steak', 'place']

Avant :     Food was mediocre, service was horrible! We had a reservation however we weren't seated until an hou
Après :     ['food', 'service', 'reservation', 'hour', 'hour_half', 'time', 'food', 'staff', 'start', 'move']

Avant :     The quality of the food was good enough but the restaurant week options were overpriced. We made res
Après :     ['quality', 'food', 'restaurant', 'week', 'option', 'overprice', 'make_reservation', 'week', 'advance', 'wait_minute']

Avant :     My husband I went here for lunch and not only was the service really slow (think: took 20 minutes to
Après :     ['husband', 'lunch', 'service', 'think', 'take', 'minute', 'need', 'food', 'arrive', 'salad']

Avant :     Took boyfriend there for his birthday but steak and atmosphere is not that good.
Après :     ['take', 'boyfriend', 'birthday', 'steak', 'atmosphere']

Avant :     My first experience at this store was  sub with burnt meatballs, so I didn't go back for awhile.  I 
Après :     ['experience', 'store', 'sub', 'burn', 'meatball', 'week', 'steak', 'sandwich', 'yesterday', 'see']

Avant :     Food was great. But very disappointed with the hospitality. We  entered the restaurant at 9:15 pm bu
Après :     ['food', 'hospitality', 'enter', 'restaurant', 'deny', 'tell', 'restaurant', 'close', 'pm', 'let']

Avant :     The food is barely edible. Got goat biryani and goat curry. The Goat meat was tough and full of gris
Après :     ['food', 'gristle', 'biryani', 'leave', 'lot_desire', 'place', 'delaware', 'taste', 'place', 'service']

Avant :     Pathetic experience with them. I ordered for rava masala dosa and vegetable uttapam to take out. The
Après :     ['experience', 'order', 'rava', 'take', 'give', 'burn', 'pack', 'layer', 'stick', 'sheet']

Avant :     First time we went to here and ordered the parota . Parota was actually seems like frozen (ready mad
Après :     ['time', 'order', 'parota', 'seem', 'make', 'heat', 'give', 'price', 'salna']

Avant :     The food is good and their lunch specials are a deal, but the service is horrible. I always try to c
Après :     ['food', 'lunch_special', 'deal', 'service', 'try', 'call', 'wait', 'end', 'wait', 'service']

Avant :     Maybe we caught them on a bad night. The food just was not very good.
Après :     ['catch', 'night', 'food']

Avant :     I've been wanting to try this place for awhile and was so disappointed :(

The service was not very 
Après :     ['want', 'try', 'place', 'disappoint', 'service', 'feel_rush', 'order', 'friend', 'guest', 'restaurant']

Avant :     Totally generic burrito place. Copies all the bad things about generic corporate burrito places (chi
Après :     ['burrito', 'place', 'copy', 'thing', 'burrito', 'place', 'chipdoba', 'ignore', 'thing', 'ingredient']

Avant :     Seriously, I don't get why people would give this place 5 stars!  Nothing more than another corporat
Après :     ['people', 'give', 'place', 'star', 'chain', 'food', 'portion', 'bowl', 'rice_bean', 'corn']

Avant :     Meh, pretty mediocre. I stopped here cause I wanted to try something new on my way to the mall. Firs
Après :     ['stop', 'want', 'try', 'way', 'mall', 'ask', 'burrito', 'include', 'queso', 'guacamole']

Avant :     $11 for Jameson on the rocks. They count any drink "on the rocks" as a double. Sounds like BS to me.
Après :     ['rock', 'sound', 'leave', 'lot', 'review', 'bother']

Avant :     Food is okay at best.  I picked up a take away order and a woman was preparing food in the dark. Rea
Après :     ['food', 'pick', 'take', 'order', 'woman', 'prepare', 'food', 'dark', 'ac', 'heat']

Avant :     Nope, wanted donair, read the review, only 2.  Might as well try it.  3 workers, make 1 order, 1 ord
Après :     ['want', 'donair', 'read_review', 'try', 'worker', 'make', 'order', 'order', 'time', 'order']

Avant :     Meh, I've had better. This place serves very Americanized sushi. The sushi rice is seriously lacking
Après :     ['meh', 'place', 'serve', 'americanize', 'lack', 'roll', 'include', 'lot', 'cream_cheese', 'add']

Avant :     Sushi was just okay.  The spicy tuna roll was not spicy and the rice on the rolls was very dry.  We 
Après :     ['tuna_roll', 'rice', 'roll', 'appetizer', 'chewy', 'ugh']

Avant :     I seldom get on this side of town, so I spent an evening just going to many places, ordering 1 item 
Après :     ['side', 'town', 'spend', 'evening', 'place', 'order', 'item', 'destination', 'find', 'place']

Avant :     I was very excited to try this place. Went at 2:30 on Saturday. They are supposed to open at 2. Afte
Après :     ['try', 'place', 'suppose', 'open', 'order', 'friend', 'tell', 'preppe', 'minute', 'say']

Avant :     I was excited to try this place. Decided to meet a friend for a late lunch. The C House says they op
Après :     ['try', 'place', 'decide', 'meet_friend', 'say', 'order', 'wait_minute', 'waiter', 'appear', 'say']

Avant :     Service was...wait what service?! We were disregarded for 15 minutes after asking for service. While
Après :     ['wait', 'service', 'disregard', 'minute', 'ask', 'service', 'quality', 'atmosphere', 'service', 'disappointment']

Avant :     Don't waste your time at this place. We had a reservation, and wanted indoor seating. They said they
Après :     ['waste_time', 'place', 'reservation', 'want', 'seating', 'say', 'seating', 'patio', 'want', 'seating']

Avant :     Carefully select new places to try when we visit Tampa. Had dinner at C House last night. Walked int
Après :     ['place', 'try', 'visit', 'dinner', 'house', 'night', 'walk', 'decor', 'menu', 'night']

Avant :     I had a delicious breakfast at Tuttini a few months ago.  I went back for lunch recently and was exc
Après :     ['breakfast', 'tuttini', 'month', 'lunch', 'excite', 'sandwich', 'offering', 'serve', 'sign', 'state']

Avant :     Highly, highly overrated.  The food was a C minus at best.  And the service was so bad that I may ne
Après :     ['food', 'service', 'back', 'screw', 'order', 'apology', 'lot', 'option', 'state', 'street']

Avant :     Very nice hotel & Resturant!  But really? Slowest service in the history of serving! Over an hour to
Après :     ['hotel', 'service', 'history', 'serve', 'hour', 'food', 'breakfast']

Avant :     Waited over 30 min for my carry out order.  Never again Zoe's.  That's totally disrespectful to your
Après :     ['wait', 'carry', 'order', 'zoe', 'customer', 'cauliflower', 'bowl', 'put', 'throw', 'picture']

Avant :     I am a manager at another store in this center.  My staff usually order from here weekly, however si
Après :     ['manager', 'store', 'center', 'staff', 'order', 'leave', 'location', 'quality', 'service', 'suffer']

Avant :     Has the veg I roll and veggie kebabs. Suffice to say I won't BA back. Too salty and nothing homely a
Après :     ['veg', 'roll', 'veggie', 'say', 'food', 'bland', 'food', 'ambience']

Avant :     I have been ordering Chinese from this restaurant for many years. Recently the food has been going d
Après :     ['order', 'restaurant', 'year', 'food', 'hill', 'order', 'fry_rice', 'use', 'rice', 'deliver']

Avant :     I will let the one rude employee slide. Service otherwise was unremarkable. What I find utterly unac
Après :     ['let', 'employee', 'slide', 'service', 'find', 'exit', 'rear', 'dining_area', 'block', 'trash']

Avant :     Let me start by saying the service is AWESOME!! The breakfast buffet not so much. The eggs were rubb
Après :     ['let_start', 'say', 'service', 'breakfast', 'buffet', 'egg', 'rubbery', 'potato', 'hash_brown', 'biscuit_gravy']

Avant :     Just bad, just plain bad!!! Will not be going back. Extremely dirty, $3.00 for an OJ and no free ref
Après :     ['refill']

Avant :     Here's the deal - this is an in&out kind of place. Do not expect an experience or some kind of custo
Après :     ['deal', 'place', 'expect', 'experience', 'kind', 'customer_service', 'people_work', 'provide', 'fry', 'wing']

Avant :     Let's be honest, this place needs a face lift. It's starting to feel shady, I wouldn't even feel com
Après :     ['let', 'place', 'need', 'face', 'lift', 'start', 'feel', 'feel', 'take', 'child']

Avant :     Visiting Edmonton for the weekend and we decided to go for some good ol' bowling. We got here and ri
Après :     ['visit', 'weekend', 'decide', 'bowling', 'meet', 'person', 'decide', 'group', 'hate_job', 'feel']

Avant :     This place sucks, everyone that works there does not give a crap about what they were hired to do. I
Après :     ['place', 'suck', 'work', 'give', 'crap', 'hire', 'wait', 'service', 'place', 'staff']

Avant :     update on this review. i went here last night and it was gross. i had a few pieces of nigiri (salmon
Après :     ['update_review', 'night', 'piece', 'water', 'fill', 'fill', 'pack', 'rice', 'cut', 'portion']

Avant :     Unfriendly waiter, bare minimum service who couldn't even smile. He made us feel guilty for eating a
Après :     ['waiter', 'service', 'smile', 'make', 'feel', 'eat', 'pay', 'eat', 'tell', 'finish']

Avant :     Awkward bar seating, mediocre sushi.

I guess I'm spoiled having just moved here I still don't get t
Après :     ['bar', 'seat', 'spoil', 'move', 'eat', 'culture', 'reno', 'give', 'crap', 'kid']

Avant :     Been a while since we have been here.  From the get go treated like crap from the only chef.  Didn't
Après :     ['treat', 'crap', 'chef', 'time', 'look', 'menu', 'look', 'make', 'roll', 'ask']

Avant :     Went for lunch with a couple of buddies of mine today, first time here, not very busy, well staffed 
Après :     ['lunch', 'couple', 'buddy', 'today', 'time', 'staff', 'display', 'case', 'seat', 'eat']

Avant :     No appetizers on the lunch menu, only choices were noodles, fried rice or curry. No bottled water, o
Après :     ['appetizer', 'lunch', 'menu', 'choice', 'noodle', 'fry_rice', 'water', 'ice_tea', 'soda', 'drink']

Avant :     The food was pretty good but the staff couldn't have been more rude.  Maybe I would order take out, 
Après :     ['food', 'staff_rude', 'order', 'take', 'avoid', 'deal', 'staff', 'hear', 'place']

Avant :     Ordered the curry noodles and the vegetable fried rice. Both were godawful... No no no flavor. The c
Après :     ['order', 'vegetable', 'fry_rice', 'flavor', 'curry', 'sauce', 'rice', 'rice', 'oil', 'veggie']

Avant :     Mediocre food. We've traveled the world in search of great Thai food and this is a poor offering. Ni
Après :     ['food', 'travel', 'world', 'search', 'food', 'offering', 'decor']

Avant :     Don't understand what all the hype is about. After moving from the Bay Area and eating great Thai fo
Après :     ['understand_hype', 'move', 'bay', 'area', 'eat', 'food', 'friend', 'suggest', 'disappoint', 'plate']

Avant :     First time here and the food was not memorable. The Thai flavor is not there at all compared to many
Après :     ['time', 'food', 'compare', 'restaurant']

Avant :     Chill spot... open air, good ambience.  Tasty food, not upscale which is fine.  I had it as a solid 
Après :     ['chill', 'spot', 'air', 'ambience', 'food', 'take_min', 'cash', 'people', 'tell', 'barkeep']

Avant :     LOVE Tria,,,,just the other location better. I've been to both locations a handful of times. Perhaps
Après :     ['love', 'tria', 'location', 'location', 'time', 'waitress', 'day', 'request', 'help', 'select']

Avant :     Umm, I would say, they are a little high amd toyty . They are natzis as far as smoking even 25 ft ou
Après :     ['say', 'amd', 'toyty', 'natzi', 'smoke', 'side', 'entrance', 'def', 'choose', 'place']

Avant :     I'm sure they might be good under normal circumstances, but we went during Outfest and it was very b
Après :     ['circumstance', 'service', 'bartender_rude']

Avant :     Waited an hour for a calzone and 2 slices of plain pizza. Missed two movie times as a result. To top
Après :     ['wait', 'hour', 'calzone', 'slice', 'pizza', 'miss', 'movie', 'time', 'result', 'top']

Avant :     When i saw what passes for pizza I knew I should cut my losses, throw it away and find something els
Après :     ['see', 'pass', 'pizza', 'know', 'cut', 'loss', 'throw', 'find', 'manage', 'eat']

Avant :     Terrible service the cashier Danielle kept messing up on the order and getting noticebly irritated. 
Après :     ['service', 'cashier', 'keep', 'mess', 'order', 'seem', 'want', 'work', 'know', 'walk']

Avant :     It's FREEZING in the building and the employees said they can't control the temperature. You can han
Après :     ['freeze', 'building', 'employee', 'say', 'control', 'temperature', 'meat', 'place']

Avant :     Got take out from here is was awful the egg roll had grease pouring from is my husband chicken was s
Après :     ['take', 'egg_roll', 'grease', 'pour', 'husband', 'chicken', 'sponge', 'mine', 'fatty', 'level']

Avant :     The food served here is disgusting and greasy.  The Roast Pork Lo Mein was loaded with noodles and b
Après :     ['food', 'serve', 'roast_pork', 'noodle', 'pork', 'food', 'way']

Avant :     I ordered your food a certain way when it got delivered it was as if they ignored everything I asked
Après :     ['order', 'food', 'way', 'deliver', 'ignore', 'ask', 'call', 'talk', 'manager', 'ask']

Avant :     So many glowing reviews for this place...I just don't get it. 

Recently had The Duke...found it to 
Après :     ['glow', 'review', 'place', 'duke', 'find', 'suppose', 'think', 'calzone', 'imagine', 'gooey']

Avant :     The nutella banana calzone... Definitely not a recommendation. The server made it sound so delicious
Après :     ['nutella', 'calzone', 'recommendation', 'server', 'make', 'sound', 'taste', 'make', 'foot', 'hand']

Avant :     (Location) wise perfect for saint Joe's students or anyone traveling to west Philly.  
(Food quality
Après :     ['location', 'saint', 'student', 'travel', 'west', 'food', 'quality', 'def', 'order', 'cheesesteak']

Avant :     I was let down by the pizza I had delivered to my residence.

I ordered a plain cheese pizza with br
Après :     ['let', 'pizza', 'deliver', 'residence', 'order', 'cheese', 'pizza', 'broccoli', 'half', 'pizza']

Avant :     Good Cheesesteaks but HORRIBLE service. I had to call three times to place an order cause the girl a
Après :     ['cheesesteak', 'service', 'call', 'time', 'place', 'order', 'cause', 'girl', 'answer', 'keep']

Avant :     There is nothing special about this place.  The steaks are average and they taste like the ones you 
Après :     ['place', 'steak', 'taste', 'one', 'pizza', 'cheesesteak', 'night', 'wait_minute', 'serve', 'cheesesteak']

Avant :     4 words
1.Overrated
2.Pricey
3.Bland
4.Celebs really love this??????? (That WAS 4 words....)
Après :     ['word', 'overrate', 'bland', 'celebs', 'love', 'word']

Avant :     Just walked out. Never had a chance to spend my money here or find out if their steaks are any good.
Après :     ['walk', 'chance', 'spend_money', 'find', 'steak', 'customer', 'stand', 'minute', 'man', 'work']

Avant :     This café is hidden in a shopping plaza and is a family run business.  I appreciate family run place
Après :     ['shopping', 'family', 'run', 'business', 'appreciate', 'family', 'run', 'place', 'cut', 'food']

Avant :     Been there, done that, won't be back. 
The food was horrible. Service was bad. And both my son and I
Après :     ['food', 'service', 'son', 'leave', 'feel', 'stay', 'way', 'rest', 'day', 'star']

Avant :     The food was plain, the meat appeared to be old, the Sushi was flat out gross, and most of the offer
Après :     ['food', 'meat', 'appear', 'offer', 'food', 'taste', 'microwave', 'server', 'rude', 'impatient']

Avant :     Bad service!  We decided to eat in to take advantage of their byob option and have dinner without cl
Après :     ['service', 'decide', 'eat', 'take_advantage', 'byob', 'option', 'dinner', 'walk', 'fee', 'staff_member']

Avant :     The food isn't to my liking, and it was my first time ordering from there. I definitely had better. 
Après :     ['food', 'like', 'time', 'order', 'read_review', 'think', 'blow', 'taste_bud', 'wing']

Avant :     Availability on a Friday/Saturday night is about the only thing this restaurant has going for it. 15
Après :     ['availability', 'night', 'thing', 'restaurant', 'minute', 'take', 'drink', 'order', 'hour', 'food']

Avant :     Took alot longer to get seated, but it's usually worth the wait.  Have been here quite alot, but not
Après :     ['take', 'alot', 'seat', 'wait', 'alot', 'pork', 'loin', 'garlic', 'mash', 'veggie']

Avant :     I brought my son here been here the garlic potatoes were gritty tasting like it was mixed with insta
Après :     ['bring', 'potato', 'taste', 'potato', 'wipe', 'taste_bud', 'watress', 'talk', 'manager', 'ask']

Avant :     Had a hamburger there the other day. No wonder the place was empty. Terrible French Onion Burger!! A
Après :     ['wonder', 'place', 'onion', 'burger', 'draft', 'come', 'chain', 'restaurant', 'avoid']

Avant :     Went here with a friend who has been here before.   After this meal I'm surprised its still in busin
Après :     ['friend', 'meal', 'surprise', 'business', 'steakhouse', 'order', 'steak', 'dining', 'partner', 'order']

Avant :     Wasn't that busy they might have had 4 servers on. Our server took forever to get us CANNED BEERS, w
Après :     ['server', 'server', 'take', 'beer', 'water', 'appetizer', 'come', 'finish', 'food', 'compe']

Avant :     A group of five went late in the evening and experienced poor service. The restaurant was clean and 
Après :     ['group', 'evening', 'experience', 'service', 'restaurant', 'lot', 'tv', 'watch_sport', 'recommend', 'dining_experience']

Avant :     Disgusting food. We didn't like any of the items we ordered. We ordered the fried pickles and they t
Après :     ['food', 'item', 'order', 'order', 'fry_pickle', 'taste', 'wonder', 'reheat', 'fry_pickle', 'yuck']

Avant :     Stopped in and had the alligator burger.... Not bad. The "BBQ" shrimp wasn't as good as I had heard,
Après :     ['stop', 'alligator', 'hear', 'place', 'like', 'beer', 'type']

Avant :     Treated like an ashhole. Here with a group of friend who are into sports and they had to watch the c
Après :     ['treat', 'ashhole', 'group', 'friend', 'sport', 'watch', 'cub', 'play', 'world', 'series']

Avant :     I shouldn't even give one star , waited to be seated , seen a table open (it was packed) went to wal
Après :     ['give_star', 'wait', 'see', 'table', 'pack', 'walk', 'table', 'waitress', 'stop', 'say']

Avant :     They say this place closes at 1am. At 11:30 pm, we went to eat. Guy at the door says no outside drin
Après :     ['say', 'place', 'close', 'eat', 'guy', 'door', 'say', 'drink', 'throw', 'door']

Avant :     Initially liked the place and thought I liked the burger until I took a good look at it in the dark 
Après :     ['like', 'place', 'thought', 'like', 'burger', 'take', 'look', 'place', 'see', 'day']

Avant :     This place sucks! The service is horrible. The hostess had an attitude. The server got our orders wr
Après :     ['place', 'suck', 'service', 'hostess', 'attitude', 'server', 'order', 'mess']

Avant :     These people are the worst. We came to have some beers and watch foot ball and they were hassling us
Après :     ['people', 'come', 'beer', 'watch', 'ball', 'hassle', 'time', 'order', 'service', 'call']

Avant :     Bayou Burger what a disappointment you turned out to be! Tsk Tsk.
Not only does your service stink b
Après :     ['bayou', 'turn', 'service', 'stink', 'food', 'try', 'bayou', 'fry', 'fry', 'encounter']

Avant :     The service was....not great. There were five of us, and it took over an hour to get our food. They 
Après :     ['service', 'take', 'hour', 'food', 'crowd', 'pizza', 'crepe', 'street', 'start', 'look']

Avant :     Worst burger place in the city avoid at all cost burgers all small. Guy told me the burger was two 4
Après :     ['city', 'avoid_cost', 'burger', 'guy', 'tell', 'patty', 'shrink', 'cooking', 'wow', 'name']

Avant :     I came here by recommendation from a friend. I was sadly very disappointed. The burger was overcooke
Après :     ['come', 'recommendation', 'friend', 'disappoint', 'burger', 'overcook', 'flavorless', 'service', 'leave', 'burger']

Avant :     Seafood is good, beef burgers are OK, venision burger is a phenominal disaster (even the complaints 
Après :     ['beef', 'burger', 'venision', 'burger', 'disaster', 'complaint', 'critism', 'give', 'return', 'shrug']

Avant :     Went there Saturday evening Aug 14, 2016
Witnessed manger and patron auguring over food and service.
Après :     ['evening', 'witness', 'manger', 'patron', 'augur', 'food', 'service', 'customer', 'yell', 'customer']

Avant :     Two stars because we had to wait almost 7 minutes for waitress to come by & acknowledge us, didn't e
Après :     ['star', 'wait_minute', 'waitress', 'come', 'acknowledge', 'water', 'wait', 'part', 'place', 'staff']

Avant :     Very uninviting place. The employees I encountered came off so cold. Beware of the attitude behind t
Après :     ['uninvite', 'place', 'employee', 'encounter', 'come', 'beware', 'attitude', 'way', 'bay', 'buy']

Avant :     I would love to give this place at least 4 stars because the seafood is great! However the staff and
Après :     ['love', 'give', 'place', 'star', 'seafood', 'staff', 'customer_service', 'suck', 'time', 'hit']

Avant :     Over priced.  Over rated.  Totally disappointing.  No jelly donuts.  How can any self respecting don
Après :     ['price', 'rate', 'jelly', 'donut', 'self', 'respect', 'place', 'donut', 'coffee', 'decent']

Avant :     For a place that only sells doughnuts and chicken, I was expecting better doughnuts. I did like the 
Après :     ['place', 'sell', 'doughnut', 'chicken', 'expect', 'doughnut', 'chicken', 'back', 'try', 'flavor']

Avant :     Just like our federal government, Federal Donuts is big on promises; but also just like the federal 
Après :     ['government', 'donut', 'promise', 'government', 'policy', 'look', 'donut', 'deal', 'chicken', 'stand']

Avant :     The cold brew coffee is either not cold brewed, a terrible brand of coffee, or it was brewed days ag
Après :     ['brew', 'coffee', 'brew', 'brand', 'coffee', 'brew', 'day', 'pay']

Avant :     2 donuts , small and a large coffee  for $9 ? Beiler's Donuts at Reading terminal market have better
Après :     ['donut', 'coffee', 'beiler', 'donut', 'read', 'market', 'donut']

Avant :     I probably would have given them a better score but I ordered a bacon and egg biscuit and didn't get
Après :     ['give', 'score', 'order', 'bacon', 'egg', 'biscuit', 'bacon', 'biscuit', 'coffee', 'side']

Avant :     Just got two "special maki rolls" and nothing special about them. I feel totally ripped off as they 
Après :     ['maki', 'roll', 'feel_rip', 'come', 'want']

Avant :     Visiting from out of town I was excited to visit Chef Milly's newly opened restaurant.  It was a sor
Après :     ['visit', 'town', 'excite', 'visit', 'chef', 'open', 'restaurant', 'disappointment', 'wait', 'reservation']

Avant :     I did not enjoy my food here. The fish was fried so hard I couldn't eat it. My rice taste like some 
Après :     ['enjoy', 'food', 'fish', 'fry', 'eat', 'rice', 'taste', 'boil', 'bag', 'rice']

Avant :     If you want a sub, go elsewhere.

Night before Thanksgiving 2014 I made the mistake of going to the 
Après :     ['want', 'sub', 'night', 'thanksgiving', 'make_mistake', 'service', 'wait_line', 'minute', 'inform', 'store']

Avant :     Usually my sandwich is good but today it was terrible. Ordered number 16. Even if it's crowded I nee
Après :     ['sandwich', 'today', 'order', 'number', 'need', 'sandwich', 'come', 'cheese', 'pepper', 'cover']

Avant :     Eeeeeeek!

I withdraw my previous review!  The food was okay but I didn't know I was risking my heal
Après :     ['eeeeeeek', 'withdraw', 'review', 'food', 'know', 'risk', 'health', 'eat', 'news', 'news']

Avant :     This is the worst place to eat! I love barbecue and the pulled pork was so dry I had to drown it in 
Après :     ['place', 'eat', 'love', 'barbecue', 'pull_pork', 'drown', 'barbecue_sauce', 'try', 'eat', 'wing']

Avant :     Had pulled pork with collard greens and sweet potatoe​  fries.  The pulled pork was tasteless and wa
Après :     ['pull_pork', 'green', 'potatoe', 'fry', 'pull_pork', 'green', 'wife', 'send', 'green', 'onion_ring']

Avant :     First time at this local restaurant. The meats were tasty but served cold. Collard greens were unusu
Après :     ['time', 'restaurant', 'meat', 'serve', 'green', 'way', 'garlic_bread', 'slaw', 'lack_flavor', 'fry']

Avant :     I'm being generous for giving them two stars. The lady working at the front was super rude.
Après :     ['give_star', 'lady', 'work', 'rude']

Avant :     This guy at fiesta lanes is a big doosh! He keeps checking on us to make sure our shoes are on and t
Après :     ['guy', 'lane', 'doosh', 'keep', 'check', 'make', 'shoe', 'keep', 'check', 'make']

Avant :     This restaurant is 2 minutes away from me so why not brunch? Here's why.

The staff is very unintere
Après :     ['restaurant', 'minute', 'brunch', 'staff', 'unintereste', 'invest', 'know', 'friend', 'waitress', 'time']

Avant :     Ordered through Grubhub.  I ordered the Italian Sub which the menu described as having turkey, bacon
Après :     ['order', 'order', 'sub', 'menu', 'describe', 'bacon', 'bacon', 'bit', 'call', 'let_know']

Avant :     This place has DECLINED rapidly.  The first pizzas we ordered were OK, but the last two have been LO
Après :     ['place', 'decline', 'pizza', 'order', 'think', 'save_money', 'use', 'topping', 'use', 'caseine']

Avant :     I ordered my pizza online. After an almost 2 hour wait, when the website confirmed a delivery of 45 
Après :     ['order', 'pizza', 'hour', 'wait', 'website', 'confirm', 'delivery', 'minute', 'phone', 'call']

Avant :     Second time I ordered delivery to my hotel from this restaurant.   I travel for a living so, I could
Après :     ['time', 'order', 'delivery', 'hotel', 'restaurant', 'travel', 'living', 'remember', 'experience', 'time']

Avant :     I really wanted bagel and lox but they were out of bagels so I opted for the lox eggs Benedict. It c
Après :     ['want', 'lox', 'bagel', 'opt', 'lox', 'egg', 'come', 'fry', 'yuck', 'send']

Avant :     Not impressed.  All the orders were wrong.   My grilled chicken sandwich was missing the ranch dress
Après :     ['order', 'grill', 'chicken', 'sandwich', 'miss', 'ranch_dress', 'salad', 'miss', 'cheese', 'crumble']

Avant :     Absolutely delicious diner food. We all have our favorites. The best time for me is breakfast but lu
Après :     ['diner', 'food', 'favorite', 'time', 'breakfast', 'lunch', 'ok', 'diner', 'server', 'take']

Avant :     I had very high hopes, but was not at all impressed.  We went for an early dinner and I was so looki
Après :     ['hope', 'impress', 'dinner', 'look', 'chicken', 'spedini', 'appetizer', 'order', 'wait', 'try']

Avant :     I really was hoping this place would have good food at a fair price with good service.  The server w
Après :     ['hope', 'place', 'food', 'price', 'service', 'server', 'rest', 'meh']

Avant :     Tried to eat here once and the hostess was so rude & unapologetic about the lack of tables that we j
Après :     ['try', 'eat', 'hostess', 'rude', 'lack', 'table', 'leave', 'mean', 'bother', 'move']

Avant :     Ordered full rack of baby backs, southern green beans, slaw, and potato salad. Ribs had a good flavo
Après :     ['order', 'rack', 'baby', 'back', 'bean', 'slaw', 'potato_salad', 'rib', 'flavor', 'baby']

Avant :     This place rocked during the time they were at the house instead of the strip mall. It was the best 
Après :     ['place', 'rock', 'time', 'night', 'sausage', 'baby', 'rib', 'cremate', 'scent', 'burn']

Avant :     We stopped here for an impromptu lunch.  Pulled pork was tasty And both bbq sauces, sweet and spicy 
Après :     ['stop_lunch', 'pull_pork', 'sauce', 'sandwich', 'come', 'bag_chip', 'order', 'side', 'drill', 'salad']

Avant :     Ordered an iced mocha  and an iced white chocolate mocha and they were both was awful.  They  had NO
Après :     ['order', 'ice', 'mocha', 'coffee', 'flavor', 'chocolate', 'flavor', 'water', 'ask', 'girl']

Avant :     I like Deweys's primary because it's close to my house.  The pizza looks great and the crust is good
Après :     ['house', 'pizza', 'look', 'crust', 'gripe', 'dewey', 'pizza', 'pepperoni', 'socrate', 'revenge']

Avant :     I can't for the life of me figure out what the hype is all about with this place.  To be fair, I hav
Après :     ['life', 'figure', 'hype', 'place', 'try', 'pizza', 'salad', 'eat', 'pizza', 'meh']

Avant :     Not a good experience.
This is advertised as an upscale restaurant and is priced as such.  Don't min
Après :     ['experience', 'advertise', 'restaurant', 'price', 'mind_pay', 'food', 'service', 'case', 'lunch', 'week']

Avant :     So many asian fusion places popping up in this city, unfortunately this one is not one of the best !
Après :     ['fusion', 'place', 'pop', 'city', 'range', 'menu', 'food', 'flavor', 'say', 'owner']

Avant :     I came in to eat with my boyfriend on our break for work. There was only one other table when we arr
Après :     ['come', 'eat', 'boyfriend', 'break', 'work', 'table', 'arrive', 'entirety', 'meal', 'take_min']

Avant :     Haven't been to a Philllip's in a long, long time. So when work took me to the Sheraton in Philly I 
Après :     ['philllip', 'time', 'work', 'take', 'sheraton', 'think', 'time', 'childhood', 'seafood', 'place']

Avant :     Went for breakfast. Food not bad, service not so good.  Was like pulling teeth to get a refill for a
Après :     ['breakfast', 'food', 'service', 'pull', 'tooth', 'coffee', 'water', 'pay_bill', 'come', 'find']

Avant :     Gross rude staff was in town to meet family
Après :     ['staff', 'town', 'meet', 'family']

Avant :     Staff was nice. Food was similar to dominos or Pizza Hut on a bad day. Place was dirty and out dated
Après :     ['staff', 'food', 'dominos', 'pizza_hut', 'day', 'place', 'dirty', 'date']

Avant :     My boyfriend picked up a taco pizza from here and brought it home. I'd never had one before but the 
Après :     ['pick', 'pizza', 'bring', 'picture', 'look', 'thing', 'say', 'use', 'delicious', 'cheese']

Avant :     Decided to try the lunch buffet here after not having eaten at a Godfathers in about 12 years and wa
Après :     ['decide', 'try', 'lunch_buffet', 'eat', 'godfather', 'year', 'disappoint', 'pizza', 'salad', 'soggy']

Avant :     Wow.what can I say ??went to the lunch"buffet"(and that I use that term loosely) the abundant pizza 
Après :     ['lunch_buffet', 'use', 'term', 'pizza', 'station', 'whop', 'pizza', 'choice', 'salad', 'bar']

Avant :     My boyfriend and I went in earlier this week and about 24 hours later I had SEVERE food poisoning. I
Après :     ['boyfriend', 'week', 'hour', 'food_poisoning', 'know', 'thing', 'eat', 'disgusting', 'crumb', 'dust']

Avant :     The only thing Godfather's is good for is the buffet, the pizza itself is WAY overpriced and only me
Après :     ['thing', 'overprice', 'buffet', 'try', 'type', 'pizza', 'start', 'swear', 'microwave', 'pizza']

Avant :     This place is gross the staff doesn't even clean the tables off, the floor is nasty, the tiles are b
Après :     ['place', 'staff', 'table', 'floor', 'tile', 'break', 'bathroom', 'kitchen', 'look', 'godfather']

Avant :     Lunch buffet....forget it. Lousy selection. No fresh pizza after 1 pm. $1 extra for ranch dressing?!
Après :     ['lunch_buffet', 'forget', 'selection', 'pizza', 'pm', 'ranch_dress']

Avant :     Not worth all the hype !! Small portions .. Pasta dishes with no meat .. Small menu choices ... Very
Après :     ['hype', 'portion', 'pasta_dish', 'meat', 'menu', 'choice', 'place', 'thing', 'cinnamon', 'sugar']

Avant :     We love this place however tonight on our anniversary my husband ordered the ribeye. Five minutes la
Après :     ['love', 'place', 'tonight', 'anniversary', 'husband', 'order', 'ribeye', 'minute', 'menu', 'shove']

Avant :     Moussaka was cold and bland obviously had been sitting in the cooler waiting to be heated... also th
Après :     ['bland', 'sit', 'cooler', 'waiting', 'time', 'leave', 'diner', 'take', 'container', 'portion']

Avant :     Had not been for years.

We went for lunch. Great decor. Great wait staff. Personable and on the bal
Après :     ['year', 'lunch', 'ball', 'fish', 'serve', 'bit', 'delish', 'say', 'salad', 'chicken']

Avant :     Service was excellent but the beef on my skewers was tough and burnt.
Après :     ['service', 'beef', 'skewer', 'burn']

Avant :     My husband and I decided to go to this restaurant to celebrate completing a home renovation project.
Après :     ['husband', 'decide', 'restaurant', 'celebrate', 'complete', 'home', 'renovation', 'project', 'stand', 'door']

Avant :     Similar to below reviews I was not impressed at all after getting super excited about a new local bb
Après :     ['review', 'impress', 'bbq', 'spot', 'call', 'pull_pork', 'throw', 'chewy', 'cube', 'meat']

Avant :     The service here has gone down. We used to go here a lot but now we go to another one. The service w
Après :     ['service', 'use', 'lot', 'service', 'forget']

Avant :     This location is the biggest rip-off in the area second only to carrabba's. Hubby and I were in the 
Après :     ['location', 'rip', 'area', 'hubby', 'area', 'car', 'show', 'stop', 'bag_chip', 'pay']

Avant :     Local chain recently changed hands and new name. Huge menu. Food  was  so,so. Service same. Service 
Après :     ['chain', 'change', 'hand', 'name', 'menu', 'food', 'service', 'service', 'seem', 'take']

Avant :     We had the rudest waiter ever. No refills for anyone at our table.   It took over an hour to get our
Après :     ['rudest', 'waiter', 'refill', 'table', 'take', 'hour', 'check', 'ask', 'minute', 'card']

Avant :     Food was very bad. Don't know what else to say but save your money. Can't see this place staying ope
Après :     ['food', 'know', 'say', 'save_money', 'see', 'place', 'stay', 'fajita', 'shell', 'beef']

Avant :     We ordered table side guacamole it was 2/3 cilantro and 1/3 avocado.  Never seen it made like that b
Après :     ['order', 'table', 'side', 'see', 'make', 'ask', 'mgr', 'make', 'say', 'come']

Avant :     The Owner is just as rude & crazy as the manager.  He refuses to listen to employee's & customer com
Après :     ['manager', 'refuse', 'listen', 'employee', 'customer', 'complaint', 'stay', 'place', 'owner', 'say']

Avant :     Thin , undercooked,  soggy greasy garbage. Don't expect a refund either. They had to make it so your
Après :     ['greasy', 'garbage', 'expect', 'refund', 'make', 'shit', 'luck']

Avant :     This is not nashville hot chicken.  Not even close.  So if you are thinking you are getting somethin
Après :     ['thinking', 'prince', 'hattie', 'eat', 'chicken', 'fairness']

Avant :     Terrible, will not go there again. I picked up lunch for my workers, the food was cold and the fried
Après :     ['pick', 'lunch', 'worker', 'food', 'fry', 'shrimp', 'clump', 'batter', 'fry', 'smash']

Avant :     Boston Pizza Millennium location. This is pathetic. We just ordered a large pizza and a double order
Après :     ['millennium', 'location', 'pathetic', 'order', 'pizza', 'order', 'wing', 'cost', 'shrimp', 'water']

Avant :     I ordered the grown up griiled cheese today....roasted pork with provided cheese on Italian bread. T
Après :     ['order', 'griile', 'cheese', 'today', 'pork', 'provide', 'cheese', 'bread', 'pork', 'taste']

Avant :     I was very optimistic, but the Say Cheesesteak, which both my wife and I had, was very underwhelming
Après :     ['say', 'cheesesteak', 'wife', 'underwhelme', 'cheese', 'meat', 'fatty', 'experience', 'menu', 'sandwich']

Avant :     Despite never purchasing anything from Say Cheese myself, I had half of my friend's grilled cheese a
Après :     ['purchase', 'say', 'cheese', 'half', 'friend', 'grill_cheese', 'please', 'blow', 'turn', 'truck']

Avant :     The meat had filler in it and was quite chewy and unpleasant to eat. The pad Thai --- normally prett
Après :     ['meat', 'filler', 'eat', 'pad', 'mess', 'finish', 'thing', 'seem', 'chicken', 'gem']

Avant :     We just moved here from overseas (Japan) and we have been trying Thai restaurants that we see in the
Après :     ['move', 'try', 'restaurant', 'see', 'area', 'mean', 'rude', 'impress', 'restaurant', 'travel']

Avant :     We ordered 2 calzones, Cajun bread and brownies. The food was good. Delivery was prompt and the empl
Après :     ['order', 'calzone', 'bread', 'brownie', 'food', 'delivery', 'prompt', 'employee', 'polite', 'base']

Avant :     Let me first say that I really like Beefs. But I will not be coming back to this one. Ever. 
When th
Après :     ['let', 'say', 'beef', 'come', 'floor', 'water', 'pressure', 'sink', 'rest', 'room']

Avant :     My wife and I visited this location recently for beer and wings and was surprised to not see a soul 
Après :     ['visit', 'location', 'beer', 'wing', 'surprise', 'see', 'soul', 'place', 'figure', 'beef']

Avant :     While Beef O'Brady's is usually just a little short of horrifying, this particular one isn't quite t
Après :     ['beef', 'horrifying', 'service', 'suck', 'mullet', 'sporting', 'guy', 'drink', 'tap', 'beer']

Avant :     Staff is great. The hot roast beef wasn't hot it was barely luke warm, the bread was warmer than the
Après :     ['staff', 'roast_beef', 'bread', 'meat', 'take_bite', 'flavor', 'finish']

Avant :     This place will be out of business in two weeks.. waited 45 minutes for a BBQ shrimp poboy and it ha
Après :     ['place', 'business', 'week', 'wait_minute', 'use_love', 'need', 'star', 'post']

Avant :     Friendly & fast service.

Ordered cheese curds.. where's the cheese?? Only fried batter. SUPER DISAP
Après :     ['service', 'order', 'cheese', 'curd', 'cheese', 'fry', 'batter']

Avant :     I've only been to the brewpub twice, once for dinner and once for lunch. However, I have not actuall
Après :     ['brewpub', 'dinner', 'lunch', 'eat', 'service', 'turn', 'order', 'occasion', 'table', 'greet']

Avant :     It is not as good as it has been I the past. Beer was good. But the food and service were less than 
Après :     ['beer', 'food', 'service', 'satisfy', 'come', 'back']

Avant :     so bummed! 
we ordered our favorite cheese steaks from Wimpy's on Thursday (3/17). While the meat, p
Après :     ['order', 'cheese_steak', 'meat', 'pepper_onion', 'standard', 'bun', 'part', 'cheese_steak', 'add', 'experience']

Avant :     I have to agree with most of the previous reviewers.  It's unremarkable - literally.  There isn't mu
Après :     ['agree', 'reviewer', 'say', 'commend', 'walk', 'home', 'craving', 'try', 'area', 'food']

Avant :     I was trying to think of how to start off this review, but Yelp did it for me: 

Meh. I've experienc
Après :     ['try', 'think', 'start', 'review_yelp', 'meh', 'experience', 'food', 'purgatory', 'mean', 'recommend']

Avant :     Few people have tasted inexpensive Chinese food from as many places as I have. I have lived in a bun
Après :     ['people', 'taste', 'food', 'place', 'live', 'city', 'country', 'existence', 'see', 'take']

Avant :     We happen to stop here after a visit to Cabela's sporting goods next door.  The Sundance offers trad
Après :     ['happen', 'stop', 'visit', 'sporting', 'good', 'door', 'sundance', 'offer', 'food', 'serve']

Avant :     Extremely rude. They started cleaning up early on a Sunday night and when I tried to walk up to orde
Après :     ['start', 'clean', 'night', 'try', 'walk', 'order', 'receive', 'gruff', 'close', 'walk']

Avant :     The fallefel sandwich was very small and the fallafels were fried well but tasteless. The gyro was O
Après :     ['sandwich', 'fallafel', 'fry', 'gyro', 'sauce', 'surprise', 'greek_salad', 'feta', 'baklava', 'rave']

Avant :     One thing to know about this place is that you'll definitely get your monies worth, portions wise. I
Après :     ['thing', 'know', 'place', 'monie', 'portion', 'impress', 'scrimp', 'scampi', 'portion', 'receive']

Avant :     We wanted salad for lunch so decided to try this place. The older gentleman given the task of making
Après :     ['want', 'lunch', 'decide', 'try', 'place', 'gentleman', 'give', 'task', 'make', 'salad']

Avant :     Hungry hungry! Still hungry!

Very cute and nice to get a table immediately after giving up on monks
Après :     ['table', 'give', 'monk', 'hour', 'wait', 'redeem', 'attribute', 'meal', 'borsch', 'filling']

Avant :     The owner of Popeyes used to send his mother to the drive thru once a week and report irregularities
Après :     ['use', 'send', 'mother', 'drive', 'week', 'report', 'irregularity', 'bk', 'store', 'employee']

Avant :     Employees try to avoid eye contact in order to pretend you're not there. I waited 5 minutes at the c
Après :     ['employee', 'try', 'avoid', 'eye_contact', 'order', 'pretend', 'wait_minute', 'counter', 'approach', 'take']

Avant :     This will be a short review, mainly because I want to invest as much time in my review as they did t
Après :     ['review', 'want', 'invest', 'time', 'review', 'sandwich', 'serve', 'sandwich', 'embarrass', 'winner']

Avant :     below average pizza :(  I gave them a 2nd chance and ordered their Chicken Marsala dinner.  It was p
Après :     ['pizza', 'give', 'nd', 'chance', 'order', 'dinner', 'week', 'try', 'taste', 'dump']

Avant :     Walked in the door and was treated very rudely so we turned around and left. Don't care to eat at a 
Après :     ['walk_door', 'treat', 'turn', 'care', 'eat', 'place', 'hostess', 'person', 'rude']

Avant :     You've gotta be kidding me right Taco Bell?  I understand  the location it's in is not the greatest.
Après :     ['kid', 'understand', 'location', 'lack', 'standard', 'food', 'looe', 'place', 'miss', 'fixture']

Avant :     Went here on a Saturday morning for breakfast. Seems to be popular with the neighborhood folks. The 
Après :     ['morning', 'breakfast', 'seem', 'neighborhood', 'folk', 'kitchen', 'portion', 'food', 'pumpkin', 'pancake']

Avant :     Everything here is sticky. Sticky floor, sticky table, sticky soy sauce bottles, sticky receipt book
Après :     ['floor', 'table', 'soy_sauce', 'bottle', 'receipt', 'book', 'salad', 'miso_soup', 'shrimp', 'roll']

Avant :     The service was excellent; our server was quick and responsive to our needs.  The prices were reason
Après :     ['service', 'server', 'need', 'price', 'meal', 'side', 'drink', 'food', 'order', 'fish_chip']

Avant :     The fish and chips are not good.  Not even a little bit good. They don't understand the basics of de
Après :     ['fish_chip', 'bit', 'understand', 'basic', 'fry', 'matter', 'feel', 'figure', 'name']

Avant :     food was okay. if you dont want fried, you must eat sushi
Après :     ['food', 'want', 'fry', 'eat']

Avant :     Not a good experience. My friend got a large glass of ice water spilled in her lap. Another friend w
Après :     ['experience', 'friend', 'glass', 'ice', 'water', 'spill', 'lap', 'friend', 'serve', 'minute']

Avant :     The order was not correct and a member of the party didn't even get her food. The store had to be pr
Après :     ['order', 'member', 'party', 'food', 'store', 'prompt', 'charge', 'party', 'manager', 'tell']

Avant :     Hold the flies please! This was the worst I've ever experienced and let me tell you I been here plen
Après :     ['hold', 'fly', 'experience', 'let', 'tell', 'time', 'mother', 'order', 'island', 'tea']

Avant :     Awful frozen prebreaded seafood thrown into a fryer. You would get about the same quality at Captain
Après :     ['prebreade', 'seafood', 'throw', 'fryer', 'quality', 'captain', 'place', 'review']

Avant :     Come on, man!  It's 3 o'clock on a Monday, very few people here and this place is trashed.  I had to
Après :     ['come', 'people', 'place', 'trash', 'walk', 'way', 'place', 'find', 'table', 'post']

Avant :     The first time we went here, it was sometime around 7.  They were closed.  They don't close till 8:3
Après :     ['time', 'close', 'close', 'come', 'week', 'pay', 'lot', 'flavor', 'way', 'option']

Avant :     I'm not really sure what the hours are for this place.   They are open at random times.  Something t
Après :     ['hour', 'place', 'open', 'time', 'tell', 'money', 'laundering', 'scheme', 'burritos', 'ingredient']

Avant :     Ignore the reviews from last year (2015) unless you like mushy wings soaked in butter. Why is it so 
Après :     ['ignore', 'review', 'year', 'wing', 'soak', 'butter', 'find', 'buffalo_wing', 'burb']

Avant :     We ordered mild wings and garlic parmesan wings and they were so soggy and not crispy at all. They s
Après :     ['order', 'wing', 'wing', 'suck', 'sauce', 'taste', 'buttery', 'order', 'fry', 'thing']

Avant :     live five minutes from this place. I like the concept and the unique drink options- the ginger-beet 
Après :     ['live', 'minute', 'place', 'concept', 'drink', 'option', 'ginger', 'beet', 'pink', 'lemonade']

Avant :     I thought so highly of this place after my visit. Food was good, atmosphere was nice...I don't know 
Après :     ['think', 'place', 'visit', 'food', 'atmosphere', 'happen', 'love', 'concept', 'place', 'staff']

Avant :     Had expectations for a fresh meal based on menu choices and advertising in the restaurant. The whole
Après :     ['expectation', 'meal', 'base', 'menu', 'choice', 'advertising', 'restaurant', 'wheat', 'roll', 'chicken']

Avant :     So many people I know spoke highly of this place but I wasn't impressed.  I thought it was very expe
Après :     ['people', 'know', 'speak', 'place', 'think', 'food', 'shake', 'taste', 'burger', 'shake']

Avant :     Awful. Ordered 3 burgers all were overcooked to the point of being burned. The sweet potato fries we
Après :     ['order', 'burger', 'overcook', 'point', 'burn', 'potato', 'fry', 'kid', 'hate', 'eat']

Avant :     i was not happy with the food. everything was either really burn or under cooked. not worth going ba
Après :     ['food', 'burn', 'cook', 'worth']

Avant :     I found an animal hair in my fries.
Disgusting.
The chicken burgers was ok, nothing special or good.
Après :     ['find', 'animal', 'hair', 'fry', 'chicken', 'burger', 'fine']

Avant :     Very pricey for a small amount. The acai was a little watery and I did not enjoy whole hard chocolat
Après :     ['amount', 'acai', 'watery', 'enjoy', 'chocolate_chip', 'acai_bowl']

Avant :     This place was underwhelming. Not much decor and the worker, only one, seemed dry and took a very lo
Après :     ['place', 'underwhelme', 'decor', 'worker', 'one', 'seem', 'take', 'time', 'make', 'food']

Avant :     Meh.  
I took a friend here for lunch, and it was less than stellar.
The place reeked of cigarettes,
Après :     ['take', 'friend', 'lunch', 'place', 'reek', 'cigarette', 'greasy', 'plan', 'return', 'trip']

Avant :     I used to love to go to this place back in the late 1980s when it was on Pine Street. Then it was a 
Après :     ['use_love', 'place', 'place', 'brunch', 'ice_cream', 'take', 'child', 'location', 'week', 'ice_cream']

Avant :     Pretty decent ice cream but lackluster food.  Got a tuna sandwich here online for pickup, and when I
Après :     ['ice_cream', 'food', 'tuna', 'sandwich', 'pickup', 'tell', 'forgot', 'tell', 'tuna', 'restaurant']

Avant :     the "famous" apple pie, is poor. just a large mound of cool apple slices, no flavor, just mushy. its
Après :     ['apple_pie', 'mound', 'apple', 'flavor', 'schtick', 'time', 'dessert', 'option', 'area', 'walk']

Avant :     The food was OK. We ordered mac n cheese which came with a salad and another salad with steak. 

The
Après :     ['food', 'ok', 'order', 'cheese', 'come', 'salad', 'steak', 'service', 'waiter', 'come']

Avant :     Overpriced fast food joint.   Skip the pretension and just go to McDonald's down the street.  I was 
Après :     ['overprice', 'food', 'skip', 'impress', 'service', 'selection', 'food', 'point', 'ice_cream', 'ice_cream']

Avant :     Me and my friends went here for dessert and was very disappointed with the mile high apple pie. Ther
Après :     ['friend', 'dessert', 'mile', 'apple_pie', 'apple', 'crust', 'crust', 'bottom', 'share', 'people']

Avant :     after getting yelp's weekly email, I was looking forward to trying the pie. Unfortunately this place
Après :     ['yelp', 'email', 'look', 'try', 'pie', 'place', 'deliver', 'light', 'office', 'meet']

Avant :     We stopped by for a scoop of ice cream, but definitely eyed the baked treats in the dessert case. Th
Après :     ['stop', 'scoop', 'ice_cream', 'bake', 'treat', 'dessert', 'case', 'variety', 'flavor', 'ice_cream']

Avant :     Thanks for the one bite of chicken in my quesadilla. This place stinks. They need to fire staff memb
Après :     ['thank', 'bite', 'chicken_quesadilla', 'place', 'stink', 'need', 'fire', 'staff_member', 'embarrass']

Avant :     Placed a phone order for pick up; Jefferson's burger. This is the sad looking item I found when I go
Après :     ['place', 'phone', 'order', 'pick', 'look', 'item', 'find', 'office', 'cheese', 'strip']

Avant :     These people suck at their job...never again will I ever order from here again. This was the second 
Après :     ['people', 'suck', 'job', 'order', 'chance', 'strike', 'night', 'wait', 'hour', 'pizza']

Avant :     Came here for the great vegetarian options, but left very dissatisfied. Burrito was unseasoned, noth
Après :     ['come', 'option', 'leave', 'unseasone', 'rice_bean', 'come', 'customer_service']

Avant :     Just ok food.  Paying $5.95 for chips and salsa is a bit much. Most restaurants you get them for fre
Après :     ['food', 'pay', 'chip_salsa', 'bit', 'restaurant', 'lot', 'food', 'portion', 'service', 'vegan_option']

Avant :     I won't be returning here. The waiter seemed overwhelmed and not as attentive as he could have been.
Après :     ['return', 'waiter', 'seem', 'attentive', 'food', 'take', 'minute', 'come', 'point', 'table']

Avant :     We were a party of 10 with 6 kids. It took more than an hour to get our food and the place was only 
Après :     ['party', 'kid', 'take', 'hour', 'food', 'place', 'addition', 'food', 'order', 'couple']

Avant :     Came in to the bar on a not - too - busy night and was ignored for at least a good 20-25 minutes. Ve
Après :     ['come', 'bar', 'night', 'ignore', 'minute', 'hear_thing', 'place', 'drink', 'bartender', 'walk']

Avant :     This is the second time I've come here and it will probably be the last. The nachos grande barely ha
Après :     ['time', 'come', 'nachos', 'grande', 'cheese', 'give', 'appetizer', 'plate', 'take', 'minute']

Avant :     I love good Mexican food .... something this place does not have. To start the guacamole was bland, 
Après :     ['love', 'food', 'place', 'start', 'bland', 'taste', 'avocado', 'paste', 'bag', 'steak']

Avant :     The food is fine and the drink menu is better.
Lots of filler in the burritos - rice and beans.

Now
Après :     ['food', 'drink', 'menu', 'lot', 'filler', 'rice_bean', 'see', 'kitchen', 'worker', 'use']

Avant :     We came here all the time after they opened but the service just keeps getting worse.  Sorry to say 
Après :     ['come', 'time', 'open', 'service', 'keep', 'say', 'time', 'switch', 'switch']

Avant :     Below average tasting Mexican food. Prices are reasonable and the menu has standard items. Staff is 
Après :     ['taste', 'food', 'price', 'menu_item', 'staff', 'table', 'menus', 'dirty']

Avant :     AWFUL & GETTING WORSE.  We live nearby so we've wanted very badly to like this restaurant.  If you e
Après :     ['live', 'want', 'restaurant', 'enjoy', 'food', 'taste', 'dash', 'find', 'eat', 'restaurant']

Avant :     HORRIBLE HORRIBLE HORRIBLE. If you want to eat below average mexican food while feeling like you are
Après :     ['want', 'eat', 'food', 'feel', 'day', 'care', 'service', 'come', 'food', 'scream']

Avant :     I had been to Mad Mex for drinks and apps in the past and had a fairly decent experience, but the fo
Après :     ['mex', 'drink', 'app', 'experience', 'food', 'order', 'tonight', 'dinner', 'order', 'salad']

Avant :     The food was okay, nothing spectacular. The service, however, was not good at all. Our waiter was pr
Après :     ['food', 'service', 'waiter', 'mia', 'evening', 'time', 'see', 'dining_room', 'come', 'table']

Avant :     Was hoping to have a nice meal with my husband and kid and waited so long that we ended up taking th
Après :     ['hope', 'meal', 'husband', 'kid', 'wait', 'end', 'take', 'food', 'home', 'eat']

Avant :     The worst chicken tacos I have ever had and the guacamole and salsa are terrible. The place is so ov
Après :     ['chicken', 'taco', 'salsa', 'place', 'overprice', 'time', 'money']

Avant :     It is a great location and the decor inside is amazing!! First visit didn't prove that great that au
Après :     ['location', 'decor', 'visit', 'prove', 'flavor', 'food', 'miss', 'chipotle', 'rate', 'food']

Avant :     Food and drink are ordinary, plus the attitude is very bad. Looks very impatient. This place is owne
Après :     ['food', 'drink', 'attitude', 'look', 'place', 'restaurant', 'door', 'survive', 'recommend']

Avant :     I love the grilled chicken parmesan salad at the original Fortunatos so I stopped at the Park Blvd l
Après :     ['love', 'grill', 'salad', 'fortunato', 'stop', 'park', 'blvd', 'location', 'order', 'home']

Avant :     I'm sorry that my kids and I even stopped in here for Chinese. Thought it would be a quick order, gr
Après :     ['kid', 'stop', 'thought', 'order', 'grab', 'thing', 'place', 'order', 'walk', 'shopping']

Avant :     OMG 2 PLUS hours after a b-ball game waiting for our order TONS of people after us have eaten and le
Après :     ['hour', 'ball', 'game', 'waiting', 'order', 'ton', 'people', 'eat', 'leave', 'lose']

Avant :     Bartender  extremely rude and service was a nightmare. He got snippy with me when I asked a question
Après :     ['bartender', 'service', 'nightmare', 'ask_question', 'leave', 'drink', 'run', 'restaurant', 'live', 'allow']

Avant :     if i could give this place no stars i would.They over charged me and didn't give my money back!!  my
Après :     ['give', 'place', 'star', 'charge', 'give', 'money', 'dollar', 'give', 'piece', 'meat']

Avant :     A 12 dollar burger and fries that were not even edible. Seriously, I used to enjoy this place but ma
Après :     ['dollar', 'burger', 'fry', 'use', 'enjoy', 'place', 'man', 'quality', 'take', 'nose']

Avant :     The food was mediocre and the staff was even worse. We waited 30 minutes for fried pickles. The only
Après :     ['food', 'staff', 'wait_minute', 'fry_pickle', 'thing', 'place', 'tell', 'atmosphere']

Avant :     Monday, 5/1/17 Late Lunch.  Minimal business.
We were seated in bar area, by hostess, and that was t
Après :     ['lunch', 'business', 'seat', 'bar', 'area', 'hostess', 'see', 'staff', 'minute', 'approach']

Avant :     I was pretty disappointed with our Chinese New Year dinner here.  While the service was lovely and t
Après :     ['year', 'dinner', 'service', 'dining_room', 'meal', 'underwhelme', 'description', 'course', 'meal', 'bite']

Avant :     I waited half an hour in a drive thru that traps you in. When I finally got to the window I got no a
Après :     ['wait', 'hour', 'drive', 'trap', 'window', 'apology', 'bag', 'taco']

Avant :     This place is definitely not built for Speed. These guys are very very slow after 11 p.m. If you wan
Après :     ['place', 'build', 'speed', 'guy', 'want', 'hurry', 'come', 'take', 'visit', 'location']

Avant :     Took about 32 minutes at midnight for a approx. $25 order (order number 029568). Made orders that ba
Après :     ['take', 'minute', 'midnight', 'approx', 'order', 'order', 'number', 'make', 'order', 'meat']

Avant :     Service stank.  Goofed up 5 orders, took us 30 min just to cash out.  Not going back!
Après :     ['service', 'stank', 'goof', 'order', 'take_min', 'cash']

Avant :     From the moment we walken in I was conflicted. On one hand the staff was attractive and the Tv's wer
Après :     ['moment', 'conflict', 'hand', 'staff', 'tv', 'smell', 'aquarium', 'bar', 'smell', 'bartender']

Avant :     This place has good food but waiting an hour for ten wings is horrible. Will
Never be back.
Après :     ['place', 'food', 'wait', 'hour', 'wing']

Avant :     Place was awesome the one time I sat at the bar. This time I sat at a table... And sat... And sat so
Après :     ['place', 'time', 'sit', 'time', 'sit', 'table', 'sit', 'sit', 'time', 'see']

Avant :     Trivia: fun.  Food: Decent, although i like their beer selection and buffalo sauce.  Service had a t
Après :     ['food', 'beer_selection', 'sauce', 'service', 'order', 'keep', 'trivium', 'crowd', 'size', 'party']

Avant :     I ordered a $100 tray of hoagies to be delivered for the holidays to my local doggy daycare. I was v
Après :     ['order', 'hoagie', 'deliver', 'holiday', 'daycare', 'address', 'time', 'card', 'delivery', 'person']

Avant :     High drama bar. I have never been to a bar where I felt so uncomfortable... Staff fighting, rude to 
Après :     ['drama', 'bar', 'bar', 'feel', 'staff', 'fight', 'customer', 'mention', 'wait', 'wing']

Avant :     Not impressed. Food was not impressive - would recommend only based on price. Taste isn't there.
Après :     ['food', 'recommend', 'base', 'price', 'taste']

Avant :     I had great expectations when my wife suggested we try this new restaurant for breakfast. Disappoint
Après :     ['expectation', 'wife', 'suggest', 'try', 'restaurant', 'breakfast', 'sum', 'bag', 'make', 'box']

Avant :     The sandwiches tasted good, but when trying to complete the kids meal for my 2 girls it was chaos. F
Après :     ['sandwich', 'taste', 'try', 'kid', 'meal', 'girl', 'chaos', 'ask', 'apple', 'milk']

Avant :     We use to dine at this restaurant quite a bit when they had a better loyalty program, and better foo
Après :     ['use', 'restaurant', 'bit', 'loyalty', 'program', 'food', 'price', 'combo', 'seem', 'make']

Avant :     Since they have changed their menu I really haven't cared much for Chilis but I decided to try them 
Après :     ['change', 'menu', 'care', 'chili', 'decide', 'try', 'minute', 'wait', 'server', 'acknowledge']

Avant :     Went for brunch this past Sunday. The hostess was very nice and efficient, offering us coffee and le
Après :     ['brunch', 'offer', 'coffee', 'let_know', 'wait', 'wait', 'table', 'way', 'wait', 'service']

Avant :     every time I am in here, I'm amazed at how rude the cashier is and how indifferent the servers are. 
Après :     ['time', 'server', 'food', 'overprice', 'menu']

Avant :     We came here for breakfast and had to wait a weirdly long time to get waited on, and then our food t
Après :     ['come', 'breakfast', 'wait', 'time', 'wait', 'food', 'take', 'come', 'place', 'rating']

Avant :     I don't really have great things to say about Ants Pants, but I also don't have many bad things to s
Après :     ['thing', 'say', 'ant', 'pant', 'thing', 'say', 'cash', 'place', 'area', 'wait']

Avant :     Keeping the review short - 
Ingredients - good quality, freshly made (except the fried stuff)
Servic
Après :     ['keep', 'review', 'ingredient', 'quality', 'make', 'fry', 'stuff', 'service', 'attentive', 'server']

Avant :     Bit disappointed with the sandwiches here which were pretty expensive and sadly just didn't taste to
Après :     ['bit', 'sandwich', 'taste', 'chicken', 'sandwich', 'come', 'bread', 'fall', 'honey', 'maple']

Avant :     The restaurants boring.. The service is poor and the wait time is painfully long!
 
I lost my appeti
Après :     ['restaurant', 'service', 'wait', 'time', 'lose_appetite', 'wait', 'food', 'arrive', 'time', 'world']

Avant :     I was really excited to try this place but it definitely wasn't up to par with some of the other bre
Après :     ['excite', 'try', 'place', 'breakfast', 'place', 'city', 'water', 'room_temperature', 'milk', 'creme']

Avant :     Terrible. I popped in this morning for a quick breakfast after working all night as a nurse. I order
Après :     ['pop', 'morning', 'breakfast', 'night', 'nurse', 'order', 'breakfast', 'sandwich', 'ask', 'glass']

Avant :     This was one of my All-Time favorites! what has happened??!! OH How the mighty have fallen... After 
Après :     ['time', 'favorite', 'happen', 'fall', 'time', 'come', 'service', 'potato', 'fry', 'burn']

Avant :     I was expecting a fresh brunch experience on the level of "honeys" what we got was a crowded sand wh
Après :     ['expect', 'brunch', 'experience', 'level', 'honey', 'crowd', 'sand', 'shop', 'thrill', 'way']

Avant :     I was disappointed with Ants Pants Cafe. I ordered pancakes with a side of bacon and orange juice. T
Après :     ['ant', 'pant', 'cafe', 'order', 'pancake', 'side', 'side', 'bacon', 'fine', 'orange']

Avant :     We ordered pizza for delivery from Elicia's. I've had better St Louis style pizza in Kansas City. Th
Après :     ['order', 'pizza', 'delivery', 'elicia', 'style', 'pizza', 'crispy', 'cheese', 'pie', 'bit']

Avant :     My husband and I are furious with this location. Tonight we ordered 12 mild wings. Got home and foun
Après :     ['husband', 'location', 'tonight', 'order', 'wing', 'find', 'call_complain', 'manager', 'say', 'come']

Avant :     Local ice cream shop in a small town. I love supporting the local mom and pops stores so I came here
Après :     ['ice_cream', 'shop', 'town', 'love', 'support', 'mom_pop', 'store', 'come', 'expect', 'thing']

Avant :     The staff here was very nice. The food was acceptable. Fries were decent and veggie wrap was standar
Après :     ['staff', 'food', 'fry', 'veggie', 'wrap', 'seating', 'plan', 'return']

Avant :     Fast easy and near my office, but BAD.  They slop the food onto your plate high school cafeteria sty
Après :     ['office', 'slop', 'food', 'plate', 'school_cafeteria', 'style', 'fain', 'care_customer', 'label', 'dish']

Avant :     So seen all the great reviews about this place figured it was as good as it seemed so went there foo
Après :     ['see', 'review', 'place', 'figure', 'seem', 'food', 'service', 'waiting', 'dessert', 'see']

Avant :     A McDonald's seems so out of place here amogst the shi-shi shops on Walnut Street.  That and it is a
Après :     ['seem', 'place', 'seek', 'coke', 'coffee', 'set_foot', 'yick']

Avant :     McDonald's Fries are not vegetarian, are not free from Dairy or Wheat. 

They also contain hydrogena
Après :     ['mcdonald', 'fry', 'vegetarian', 'dairy', 'wheat', 'contain', 'oil', 'blah', 'fry', 'potato']

Avant :     Went to Nadia tonight around 7:00 PM, closed. Is it out of business? Seems strange to be closed on a
Après :     ['nadia', 'tonight', 'close', 'business', 'seem', 'evening']

Avant :     Tried to call with some questions.  Some idiot picked up the phone, said nothing and left the receiv
Après :     ['try', 'call', 'question', 'pick', 'phone', 'say', 'leave', 'receiver', 'hook', 'try']

Avant :     Not gluten free even though it comes up on the gluten free site.  I ordered 3 egg whites and one who
Après :     ['gluten', 'come', 'gluten', 'site', 'order', 'egg_white', 'egg', 'scramble', 'spinach', 'time']

Avant :     Don't bother stopping in here - I did you the favor of trying it out and am here to report our visit
Après :     ['bother', 'stop', 'favor', 'try', 'report', 'visit', 'leave', 'lot_desire', 'try', 'breakfast']

Avant :     Others say the food is good and the menu looks enticing, but the espresso shot was sour and foam was
Après :     ['say', 'food', 'menu', 'look', 'entice', 'espresso', 'shoot', 'foam', 'mention', 'info']

Avant :     Don't order food here if you expect to get it in under 40 minutes. Ridiculous wait for a breakfast s
Après :     ['order', 'food', 'expect', 'minute', 'wait', 'breakfast', 'sandwich']

Avant :     The breakfast sandwich was mediocre and the coffee was terrible. Also, very overpriced even if the f
Après :     ['breakfast', 'sandwich', 'coffee', 'terrible', 'overprice', 'food', 'know', 'place', 'review']

Avant :     I love that there is a local coffee shop/lunch spot tucked away on Mass Ave, with local arts on the 
Après :     ['love', 'coffee_shop', 'lunch', 'spot', 'tuck', 'mass', 'ave', 'art', 'wall', 'seating']

Avant :     Food and service used to be top notch. Went there on 5/18 and the grits were stone cold and the serv
Après :     ['food', 'service', 'use', 'notch', 'grit', 'stone', 'service', 'sub', 'time', 'move']

Avant :     Good service.  The food was just OK.  Good enough for a quick seafood fix.  No oysters???
Après :     ['service', 'food', 'seafood', 'fix', 'oyster']

Avant :     Food was just okay and the price a little high. I think the fish house is better if you're gonna spe
Après :     ['food', 'price', 'think', 'fish', 'house', 'spend_money']

Avant :     NOT IMPRESSED AT ALL! After reading the reviews I'm left wondering did I eat at the same place?!?! T
Après :     ['reading_review', 'leave', 'wonder', 'eat', 'place', 'quaint', 'cozy', 'eat', 'weather', 'service']

Avant :     been twice, one breakfast one dinner.  the food sucks.  i blame it on the menu being too big.  if yo
Après :     ['breakfast', 'dinner', 'food', 'suck', 'blame', 'menu', 'try', 'wind', 'none', 'dinner']

Avant :     The hostess, Chris, was a complete ass! I arrived and asked for a table for a party of 2 and was tol
Après :     ['arrive', 'ask', 'table', 'party', 'tell', 'wait', 'person', 'show', 'tell', 'like']

Avant :     We were here for dinner. Not busy at all. The server did not come to our table for 20 minutes. In th
Après :     ['dinner', 'server', 'come', 'table', 'minute', 'course', 'time', 'greet', 'multitude', 'mouse']

Avant :     Whomp whomp. This place is all hype. Super small tables, rushed staff and the stuffed french toast? 
Après :     ['place', 'hype', 'table', 'rush', 'staff', 'stuff', 'meh', 'skip']

Avant :     My bf and I just ordered takeout from Honey's. The person who took our order was extremely RUDE and 
Après :     ['order', 'takeout', 'honey', 'person', 'take', 'order', 'grant', 'closing_time', 'attitude', 'case']

Avant :     Count your change!
Barista short me $6 for a $12 meal. Then gave me $5 instead of $6 when I brought 
Après :     ['count', 'change', 'barista', 'meal', 'give', 'bring']

Avant :     i really don't see what you all see in this place.  i gave it two chances.. the first time, the food
Après :     ['see', 'see', 'place', 'give_chance', 'time', 'food', 'rib', 'table', 'hate', 'food']

Avant :     Honestly I wasn't impressed by the whole Southern meets Jewish soul food concept. The breakfast menu
Après :     ['impress', 'meet', 'soul', 'food', 'concept', 'breakfast', 'menu', 'pork', 'product', 'soul']

Avant :     What am i missing?  Been here 5 times, i come every 6 months or so because i convince myself its dec
Après :     ['miss', 'time', 'come', 'month', 'convince', 'food', 'suck', 'coffee', 'ish', 'server']

Avant :     My most recent visit was for dinner, which was strictly mediocre.   Crabcakes, mac and cheese, and g
Après :     ['visit', 'dinner', 'crabcake', 'cheese', 'bean', 'casserole', 'sound', 'comfort', 'food', 'crabcake']

Avant :     After 5 years, we couldn't wait to again visit Honey's. Stopped in for lunch last Thursday and order
Après :     ['year', 'wait', 'visit', 'honey', 'stop_lunch', 'order', 'fry', 'tomato', 'chicken_finger', 'tomatoe']

Avant :     A lot of people I know rave about this place but my experience was sub par. My food was greasy, lack
Après :     ['lot', 'people', 'know', 'rave', 'place', 'experience', 'sub', 'food', 'greasy', 'lack_flavor']

Avant :     In a word...NOPE!
1. Only 1 other person in the place when I walked in..."new" place so I was willin
Après :     ['word', 'person', 'place', 'walk', 'place', 'overlook', 'lot', 'choice', 'health', 'want']

Avant :     What a disappointment. Was really looking forward to this since it was relatively close to work. I t
Après :     ['disappointment', 'look', 'work', 'try', 'recommend', 'bland', 'try', 'add', 'oil', 'doubt']

Avant :     Show up during business hours and they are not open, no sign indicating that they would be closed, a
Après :     ['show', 'business', 'hour', 'sign', 'indicate', 'close', 'answer_phone', 'business', 'close', 'leave']

Avant :     Very disappointed with this location as I was common customer weekly until yesterday as location fai
Après :     ['location', 'customer', 'yesterday', 'location', 'fail', 'time', 'associate', 'show', 'hurrying', 'arrive']

Avant :     Arrived at the store, no one in sight. No customers, no workers. Waited about 5 mins, a last came fr
Après :     ['arrive', 'store', 'sight', 'customer', 'worker', 'wait_min', 'come', 'play', 'cellphone', 'year']

Avant :     Ordered delivery from here recently. I was able to order online which I liked. The food came pretty 
Après :     ['order', 'delivery', 'order', 'like', 'food', 'come', 'order', 'food', 'order', 'beef']

Avant :     Service sucks big time and the manager is downright nasty, but I must say their soups and coffee are
Après :     ['service', 'suck', 'time', 'manager', 'say', 'soup', 'coffee', 'good']

Avant :     No pizza ready so much for hot and now. Just told it would be a while when I asked. Don't bother if 
Après :     ['pizza', 'tell', 'ask', 'bother', 'order']

Avant :     Went in last night at 7:50 pm - this location is listed as open until 11 pm.  1 staff is cleaning up
Après :     ['night', 'location', 'list', 'pm', 'staff', 'clean', 'place', 'working', 'paperwork', 'walk']

Avant :     Dirty rooms & headboard trash under the bed. alarm clock and radio doesn't work. unknown substance o
Après :     ['room', 'trash', 'bed', 'alarm', 'clock', 'radio', 'work', 'substance', 'curtain', 'room']

Avant :     Called ahead because our plane was late and they said they would hold the room we had reserved month
Après :     ['call', 'plane', 'say', 'hold', 'room', 'reserve', 'month', 'arrive', 'say', 'room']

Avant :     Checking front desk person was not nice and made a rude comment. Not a welcoming first impression. 

Après :     ['check', 'desk', 'person', 'make', 'comment', 'welcome', 'impression', 'valet', 'location', 'convention']

Avant :     One thing that I can't stand is when the staff lies to you.  

I recommend anyone looking at this pl
Après :     ['thing', 'stand', 'staff', 'lie', 'recommend', 'look', 'place', 'skip', 'stay', 'street']

Avant :     This is the hotel where the Republican party met in Jan. 2017 to discuss how to repeal Obamacare and
Après :     ['hotel', 'meet', 'repeal', 'obamacare', 'remove', 'health', 'insurance', 'million', 'american']

Avant :     Absolutely disgusting hotel with poor management. First -- our king room was not honored... Even aft
Après :     ['hotel', 'management', 'king', 'room', 'honor', 'confirm', 'hour', 'time', 'adult', 'toddler']

Avant :     Very poor management. I've been asking for a coffee machine since morning because the one in my room
Après :     ['management', 'ask', 'coffee', 'machine', 'morning', 'room', 'work', 'call', 'desk', 'time']

Avant :     I stayed at Loews Philadelphia 7/16/17, to celebrate our anniversary. We are from NY so we were exci
Après :     ['stay', 'celebrate', 'anniversary', 'excite', 'king', 'room', 'floor', 'view', 'room', 'layer']

Avant :     Convenient location with friendly front desk staff and fun room design. Unfortunately, the positives
Après :     ['location', 'desk', 'staff', 'fun', 'room', 'design', 'positive', 'stop', 'room', 'set']

Avant :     This seems to be the place for a wedding. 

Unfortunately if you aren't attending a wedding this is 
Après :     ['seem', 'place', 'wedding', 'attend', 'wedding', 'place', 'stay', 'see', 'elevator', 'bank']

Avant :     This place has a good location in Hillsboro Village and lots of well-positioned tv screens (had a go
Après :     ['place', 'location', 'village', 'lot', 'tv', 'screen', 'time', 'watch', 'match', 'food']

Avant :     I guess the key thing for Sam's is that it is a "sports" bar.  It is a place to watch sports.  If th
Après :     ['guess', 'thing', 'sport_bar', 'place', 'watch_sport', 'bar', 'food', 'watch_sport', 'notice', 'feature']

Avant :     Sam's....I don't like Sam's.  And I have no rational reason why.  There's douches here, but who care
Après :     ['reason', 'douche', 'care', 'sport_bar', 'sport_bar', 'asshole', 'realize', 'crowd', 'food', 'alright']

Avant :     Sam's could be so much better than it is currently. The food is pretty tasty for bar food. There are
Après :     ['food', 'bar', 'food', 'ton', 'tv', 'variety', 'game', 'night', 'ownership', 'need']

Avant :     Terrible selection, even worse quality. Big mistake. Skip this place. Not worth the price!
Après :     ['selection', 'quality', 'skip', 'place', 'price']

Avant :     I wife and I were out doing things Sunday at water burger and we stopped at Burgerim.
It was a mista
Après :     ['thing', 'water', 'burger', 'stop', 'mistake', 'size', 'burger', 'fry', 'service', 'make']

Avant :     Not for me. The patties are flappy and some meat had an after taste. Red Robin would be a better cho
Après :     ['patty', 'flappy', 'meat', 'taste', 'robin', 'choice', 'wing', 'fry', 'slather', 'chili']

Avant :     I really do like the flavor of the burgers it's pretty good but what I don't like is how small the b
Après :     ['flavor', 'burger', 'burger', 'dollar', 'place', 'fill', 'wait', 'way']

Avant :     Three from my office had lunch delivered from San Antonio Taco today.  It was our first time from th
Après :     ['office', 'lunch', 'deliver', 'today', 'time', 'food', 'live', 'review', 'order', 'side']

Avant :     Oh, SATCO.  You're not the best taco shop but you do have your moments.

I come to SATCO for:

1.  A
Après :     ['moment', 'come', 'lunch', 'queso', 'seat', 'music', 'drown', 'thought', 'list', 'group']

Avant :     Easily the WORST Mexican food I have ever eaten. I asked for cilantro on my taco and they said the d
Après :     ['food', 'eat', 'ask', 'say', 'salsa', 'bar', 'kind', 'option', 'flavor', 'beef']

Avant :     The atmosphere is really cool and I love their large deck where you can sit with friends and have be
Après :     ['atmosphere', 'love', 'deck', 'sit', 'friend', 'beer', 'employee', 'rude', 'rush', 'process']

Avant :     Terrible food, ordering system trying to be cool but just ends up irritating, staff rude.  Only auth
Après :     ['food', 'order', 'system', 'try', 'end', 'irritate', 'staff', 'place', 'beer']

Avant :     Awful. Sagging molded ceiling tiles, AC condensation dripping in our food. I actually called the hea
Après :     ['sag', 'mold', 'ceiling', 'tile', 'ac', 'condensation', 'drip', 'food', 'call', 'health']

Avant :     Ok, the food here was not good Mexican food.  The patio was cute and a nice place to sit and have a 
Après :     ['food', 'food', 'patio', 'place', 'sit', 'beer', 'eat', 'order', 'ground_beef', 'refrie_bean']

Avant :     Fair disclosure: I'm a Texan. I've been to San Antonio many times. And I know tacos.

When a good fr
Après :     ['disclosure', 'time', 'know', 'friend', 'decide', 'bring', 'know', 'mistake', 'flavor', 'taste']

Avant :     Holy God.....why do I do this to myself? I think maybe its my every 5 year or so excursion to rememb
Après :     ['think', 'year', 'excursion', 'remember', 'want', 'hell', 'thing', 'eat', 'place', 'suck']

Avant :     trashy place with a lot of drunk college students. the tacos are pretty subpar and actually pretty e
Après :     ['place', 'lot', 'college_student', 'think', 'couple', 'piece', 'meat', 'topping', 'bean']

Avant :     I was pretty disappointed in the food here. It was all-around mediocre. Not even close to authentic 
Après :     ['food', 'mediocre', 'style', 'street', 'taco', 'set', 'line', 'door', 'keep', 'people']

Avant :     I have never understood the desire to dine at SatCo more than once. I've been tricked into it by bor
Après :     ['understand', 'desire', 'trick', 'boredom', 'munchie', 'time', 'regret', 'ordering', 'style', 'paper']

Avant :     Not bad - not great - Confusing to order - deck is nice - think taco bell on steroids
Après :     ['order', 'deck', 'think', 'steroid']

Avant :     Terrible food. I tried 4 different tacos. 3 of them tasted the same and that's not a good thing. The
Après :     ['food', 'try', 'taco', 'taste', 'thing', 'shell', 'friend', 'impress', 'encjiksrs', 'drink']

Avant :     Was definately not bowled over by any means and comming here for the first time with friends from ou
Après :     ['bowl', 'mean', 'comme', 'time', 'friend', 'town', 'queso', 'dip', 'salsa', 'bar']

Avant :     Overpriced Plate of Slop
The absolute worst chicken enchilada plate I've ever had. Honestly, you cou
Après :     ['overprice', 'plate', 'slop', 'chicken', 'enchilada', 'plate', 'bean_rice']

Avant :     The tacos are "ok" at best. The staff ... Rudest in town. Makes The Soup Nazi look like the Easter B
Après :     ['ok', 'staff', 'town', 'make', 'soup', 'nazi', 'look']

Avant :     This place was highly recommended stop in Nashville. Quality and taste are the equivalent of taco be
Après :     ['place', 'recommend', 'stop', 'nashville', 'quality', 'taste', 'waste_time', 'food', 'park', 'beef']

Avant :     I'm not sure how they screw up salsa, but they do. The meat here is chewy and weird... Like it has b
Après :     ['screw', 'salsa', 'meat', 'chewy', 'brine', 'season', 'leave', 'age', 'food', 'way']

Avant :     I don't know why people love this place.  The menu is limited to tacos, nachos, and maybe enchiladas
Après :     ['know', 'people', 'love', 'place', 'menu', 'enchilada', 'remember', 'know', 'want', 'item']

Avant :     After purchasing a Groupon, decided to use it today.  The service was terrible, to put it politely. 
Après :     ['purchase', 'groupon', 'decide', 'use', 'today', 'service_terrible', 'put', 'girl', 'work', 'break']

Avant :     the place is a bit small so my party of 4 thought we would be served pretty quick since it was after
Après :     ['place', 'bit', 'party', 'thought', 'serve', 'lunch', 'rush', 'order', 'pho', 'beef']

Avant :     Their smoothies keep getting better and better.  I highly recommend the taro smoothie with boba.  It
Après :     ['smoothie', 'keep', 'taro', 'smoothie', 'boba', 'start', 'evening', 'food', 'come', 'minute']

Avant :     If you are not Italian and "from the neighborhood" expect to get "less than" everything - service, t
Après :     ['neighborhood', 'expect', 'service', 'time', 'table', 'reserve', 'want', 'table', 'portion', 'regular']

Avant :     We have been to Tre scallini many times and have recommended it to many friends simply because the f
Après :     ['scallini', 'time', 'recommend', 'friend', 'food', 'night', 'drive', 'hour', 'reservation', 'people']

Avant :     We arrived at the restaurant without reservations. We were seated without a problem. But we had a th
Après :     ['arrive', 'restaurant', 'reservation', 'seat', 'problem', 'run', 'waitress', 'want', 'take', 'appetizer']

Avant :     Just were there with 6 people. We sat there for 20 minutes and got no help so we asked for bread. Th
Après :     ['people', 'sit', 'minute', 'help', 'ask', 'bread', 'give', 'spread', 'bland', 'tell']

Avant :     Michael, the manager was so rude on the phone, we could not even make a reservation. The food is not
Après :     ['phone', 'make_reservation', 'food', 'put', 'rudeness', 'stay']

Avant :     Not impressed. We came for restaurant week. I wasn't impressed by the menu - overpriced for what you
Après :     ['come', 'restaurant', 'week', 'menu', 'overpriced', 'end', 'order', 'taste', 'menu', 'steak']

Avant :     Had dinner there last night was really disappointed service was so slow waited  almost 2 hourse for 
Après :     ['dinner', 'night', 'service_slow', 'wait', 'hourse', 'entree', 'appetizer', 'mussel', 'antipasti', 'pasta']

Avant :     Sloooooow service. No gnocchi or ravioli. Pasta was tasty but oily. Veal was overdone, sent back the
Après :     ['pasta', 'veal', 'overdone', 'send', 'bland', 'waitress', 'croce', 'skip', 'coffee', 'dessert']

Avant :     Poor service from the door. Stood at the door for 15 mins, walked in when it was not super busy it w
Après :     ['service', 'door', 'stand', 'door', 'min', 'walk', 'seating_area', 'think', 'decision', 'reopen']

Avant :     They did a nice job renovating the place, but the service is awful. Worst of all, the pancakes were 
Après :     ['job', 'renovate', 'place', 'service', 'pancake', 'chewy', 'flavorless', 'time', 'come']

Avant :     The service was awful. The restaurant was empty and me and my friend didn't even get our drinks unti
Après :     ['service', 'restaurant', 'friend', 'drink', 'food', 'arrive', 'hour', 'coffee', 'cup', 'lipstick']

Avant :     Actually the worst IHOP we have ever been to. The food was horrible. how can you mess up eggs and pa
Après :     ['ihop', 'food', 'mess', 'egg', 'pancake', 'item', 'menu', 'order', 'part', 'food_poisoning']

Avant :     Wasn't an exceptional experience. Wife is a diabetic, so she attempted to avoid the ingredients that
Après :     ['experience', 'wife', 'attempt', 'avoid', 'ingredient', 'cause', 'issue', 'route', 'grill', 'clean']

Avant :     This location consistently puts a daily menu online that is wrong.  It is extremely frustrating to m
Après :     ['location', 'put', 'menu', 'make', 'trip', 'way', 'food', 'say', 'offer', 'tell']

Avant :     Living in Saint Pete has made it easy to be vegan. I travel alot and can always count on grabbing a 
Après :     ['live', 'saint', 'pete', 'make', 'vegan', 'travel', 'alot', 'count', 'grab', 'veggie']

Avant :     Really not even going to get into it go to Blue Fin or Masamoto
Après :     ['masamoto']

Avant :     Great service, creative design, but the food was poor. I ordered the spicy roll combo. The food arri
Après :     ['service', 'design', 'food', 'order', 'roll', 'combo', 'food', 'arrive', 'differentiate', 'salmon']

Avant :     Ordered 6 rolls, 4 miso soups, 1 edamame, and 1 yakatori for 4 people for lunch. The sushi was fresh
Après :     ['order', 'roll', 'miso_soup', 'edamame', 'starve', 'food', 'finish', 'portion_size', 'cost', 'feed']

Avant :     This place gets one star they need to replace the whole staff me and my friends have labeled this pl
Après :     ['place', 'star', 'replace', 'staff', 'friend', 'label', 'place', 'ghetto', 'server', 'guess']

Avant :     The food seemed re-heated from a microwave and the manager on duty is not very personable.  After ge
Après :     ['food', 'seem', 'microwave', 'manager_duty', 'personable', 'food', 'order', 'throw', 'eat', 'area']

Avant :     Not impressed at all with my meal. I ordered the steak and it was very tough.  When the waitresses a
Après :     ['meal', 'order', 'steak', 'waitress', 'ask', 'meal', 'say', 'say', 'shame', 'return']

Avant :     WOW!!!! This was our first time trying this pizza..............and our last!
Quick hint guys, pizza 
Après :     ['time', 'try', 'pizza', 'hint', 'guy', 'pizza', 'suppose', 'sauce', 'thing', 'call']

Avant :     This is a wonderful pizza place and is true to its roots. Great restaurant to stop in before a conce
Après :     ['pizza', 'place', 'root', 'restaurant', 'stop', 'concert', 'lightning', 'game', 'complaint', 'service']

Avant :     Visited this place while taking a vacation. The theme was right and it made me expect something that
Après :     ['visit', 'place', 'take', 'vacation', 'theme', 'right', 'make', 'expect', 'taste', 'pizza']

Avant :     One of the worst experiences of my life. Horrible from beginning to end. After waiting over 30 minut
Après :     ['experience', 'life', 'beginning', 'end', 'wait_minute', 'meal', 'tell', 'waitress', 'take', 'bill']

Avant :     I am writing about the precinct pizza in New Tampa, owned by the same person. Last week ordered 2 pi
Après :     ['write', 'pizza', 'person', 'week', 'order', 'pizza', 'topping', 'tell', 'employee', 'pizza']

Avant :     Ordered a 9 inch steak and cheese, wished I never did. Absolute garbage. Barely any steak. Barely an
Après :     ['order', 'inch', 'steak', 'cheese', 'wish', 'garbage', 'steak', 'topping', 'waste_money', 'order']

Avant :     The pizza lacks. Go to Eddie & Sam's a couple of minutes away, you won't regret it. The pizza tastes
Après :     ['pizza', 'lack', 'minute', 'regret', 'pizza', 'taste', 'cheese', 'cook', 'come', 'fry']

Avant :     Sat for an hr waiting for 2 slices of Luke warm pizza and 3 philly cheese steaks that lacked meat an
Après :     ['sit', 'wait', 'slice', 'pizza', 'cheese_steak', 'lack', 'meat', 'flavor', 'return']

Avant :     I was a bit harsh giving it one star based on horrible service experience.

The pizza was good.

Jus
Après :     ['bit', 'give_star', 'base', 'service', 'experience', 'pizza', 'make', 'drink']

Avant :     Slow service, pizza was missing some flavor. We got the bianca pizza (forgot the full name) and it w
Après :     ['service', 'pizza', 'miss', 'flavor', 'bianca', 'pizza', 'forgot', 'name', 'oil', 'garlic']

Avant :     Pizza was tasty, food came out slowly one at a time...Waitress was extremely rude and just tossed th
Après :     ['pizza', 'food', 'come', 'time', 'waitress', 'toss', 'food', 'table', 'check', 'find']

Avant :     I have had pizza here and I would give it 2 stars.  Definitely not New York taste ( I'm from Boston)
Après :     ['pizza', 'give_star', 'turn', 'visit', 'order', 'hero', 'sandwich', 'thinnest', 'slice', 'see']

Avant :     The staff was very friendly and the food was quick but disgusting. I had fish tacos and will not be 
Après :     ['staff', 'food', 'fish_taco']

Avant :     I tried the chicken nachos tonight and got a container of soggy mush. I did try the pick up option a
Après :     ['try', 'chicken', 'nachos', 'tonight', 'container', 'mush', 'try', 'pick', 'option', 'pick']

Avant :     I had called at 630 tonight to see what time they were open until tonight due to the snow. I was tol
Après :     ['call', 'tonight', 'see', 'time', 'tonight', 'snow', 'tell', 'pack', 'restaurant', 'seat']

Avant :     Horrible,  they have a scary mascot that scared my grandson and I asked him twice and my waitress fo
Après :     ['ask', 'come', 'table', 'listen', 'keep', 'come', 'serve', 'drink', 'crack', 'return']

Avant :     Hated it. 
Messy, overpriced, noisy, obnoxious chain. 
I could kick myself for agreeing to come here
Après :     ['hate', 'overprice', 'chain', 'kick', 'agree', 'come', 'find', 'thing', 'eat', 'meh']

Avant :     Called ahead for seat in of 10. Show up on time and they split the 10 of us between opposite tables 
Après :     ['call', 'seat', 'show', 'time', 'split', 'table', 'come']

Avant :     I came to this restaurant because of the great reviews that I had saw on Yelp. I was deceived. They 
Après :     ['come', 'restaurant', 'review', 'see', 'yelp', 'deceive', 'sell', 'wing', 'bone', 'wing']

Avant :     I started off the meal with a baby blossom.  it was good...but in the world of chain steakhouse onio
Après :     ['start', 'meal', 'baby', 'blossom', 'world', 'chain', 'steakhouse', 'onion', 'bloom', 'compare']

Avant :     We got a large cheese pizza for delivery. the pizza crust was soggy usually an indicator of the oven
Après :     ['cheese', 'pizza', 'delivery', 'pizza_crust', 'soggy', 'indicator', 'pizza', 'underwhelming']

Avant :     Decent food but gave me indigestion from another planet i swear.  Do yourself a favor and just micro
Après :     ['food', 'give', 'indigestion', 'planet', 'swear', 'favor', 'microwave', 'pizza']

Avant :     Used to love ordering from here. Has definitely gone downhill after their short "closing". This most
Après :     ['use_love', 'order', 'close', 'order', 'make', 'chicken', 'sandwich', 'appetizer', 'combo', 'salad']

Avant :     Seasons Pizza is usually pretty good. Up until this order, I ordered a grilled chicken salad along w
Après :     ['season', 'pizza', 'order', 'order', 'grill', 'chicken', 'salad', 'worker', 'lunch', 'hope']

Avant :     I've been to this location a few times before without a problem.  Tonight I ordered a salad, and aft
Après :     ['location', 'time', 'problem', 'tonight', 'order', 'salad', 'take_bite', 'hair', 'notify', 'worker']

Avant :     The pizza is generally good, but their delivery system is very hit or miss.  Lately, it's been more 
Après :     ['pizza', 'delivery', 'system', 'hit_miss', 'miss', 'order', 'take', 'hour', 'arrive', 'tonight']

Avant :     Really, you can't put meat on the side for a taco salad? And your justification is a stumble over a 
Après :     ['put', 'meat', 'side', 'salad', 'justification', 'stumble', 'bunch', 'word', 'understand']

Avant :     I usually love the food at this location, however the service SUCKS for lack of a better word. Last 
Après :     ['love', 'food', 'location', 'service', 'suck', 'lack', 'word', 'night', 'stand_line', 'minute']

Avant :     Not impressed.  I ordered shrimp ceviche that ended up more like shrimp cocktail and over killed and
Après :     ['impress', 'order', 'shrimp', 'ceviche', 'end', 'shrimp_cocktail', 'kill', 'drown', 'lemon', 'juice']

Avant :     This place sucks! and never gets my orders correct. I have notified the manager several times but th
Après :     ['place', 'suck', 'order', 'notify', 'manager', 'time', 'customer_service', 'resolve', 'issue', 'spend_money']

Avant :     Went to the Wesley Chapel location. The customer service wasn't great. The food would have been good
Après :     ['location', 'customer_service', 'food', 'cold', 'serve', 'send', 'come']

Avant :     Was one of my favorite spots until the over charged me and I went to speak with management. The staf
Après :     ['spot', 'charge', 'speak', 'management', 'staff', 'need', 'take', 'course', 'deal', 'situation']

Avant :     This is not Middle Eastern food. Side dishes were awfully tasting, including a warmed up rice, which
Après :     ['food', 'side', 'dish', 'taste', 'include', 'warm', 'rice', 'come', 'bag', 'minute']

Avant :     Have to disagree with rave reviews on this one. We were shown a menu and then told they only had abo
Après :     ['disagree', 'rave_review', 'show', 'menu', 'tell', 'item', 'pick', 'tell', 'end', 'order']

Avant :     Don't know if this place could pass an Osha inspection at that moment. Food was not the best. One of
Après :     ['know', 'place', 'pass', 'osha', 'inspection', 'moment', 'food', 'lamb', 'kafta', 'taste']

Avant :     My first, and last experience here. I called in my order on a Saturday evening and was told it would
Après :     ['experience', 'call', 'order', 'tell', 'minute', 'pick', 'food', 'customer', 'tell', 'minute']

Avant :     Horrible service!! Delivery was supposed to be 40mins, after 1.5 hours still nothing. Without dinner
Après :     ['service', 'delivery', 'suppose', 'min', 'hour', 'dinner', 'complain', 'wait', 'phone', 'min']

Avant :     This is an all you can eat place that at $27/adult isn't bad.  But if you ordered from the regular m
Après :     ['eat', 'place', 'adult', 'order', 'menu', 'come', 'realize', 'quality', 'maki', 'roll']

Avant :     Word to wise don't expect good service as the staff doesn't make an effort to get your order right. 
Après :     ['word', 'expect', 'service', 'staff', 'make_effort', 'order', 'order', 'order', 'son', 'order']

Avant :     Their customer service SUCKS. I seriously hate coming here but I like their ice cream too much. It's
Après :     ['customer_service', 'suck', 'hate', 'come', 'ice_cream', 'mcflurry', 'year', 'run', 'place', 'take']

Avant :     They're lucky it's located in a perfect spot, otherwise, this place would be out of business because
Après :     ['spot', 'place', 'business', 'service', 'fail', 'ice_cream', 'timer', 'take', 'order', 'order']

Avant :     Ice cream is good but service is awful.  I never saw so many people behind the counter in such a sma
Après :     ['ice_cream', 'service', 'see', 'people', 'area', 'order', 'wrong', 'time', 'take', 'kid']

Avant :     showed up 34 minutes before close to see the manager count the money and say they close at 11:30. it
Après :     ['show', 'minute', 'see', 'manager', 'count', 'money', 'say', 'say', 'website', 'show']

Avant :     It just wasn't good. The portion sizes were fine, but we ordered a veggie pizza and it was just kind
Après :     ['portion_size', 'order', 'veggie', 'kind']

Avant :     When my reservation for the actual sit-down Giorgio was somehow lost by the restaurant, the host sea
Après :     ['reservation', 'giorgio', 'lose', 'restaurant', 'host', 'seat', 'party', 'giorgio', 'pizzeria', 'door']

Avant :     Original backribs taste like they were cooked several days ago reheated and came out of a vending ma
Après :     ['backribs', 'taste', 'cook', 'day', 'reheat', 'come', 'vend', 'machine', 'place', 'know']

Avant :     Service was okay at best but the food was horrible. I ordered the prime rib, it came out as medium w
Après :     ['service', 'food', 'order', 'rib', 'come', 'side', 'gravy', 'say', 'thing', 'make']

Avant :     Food=very average.   Service=very poor. Hostess / wife of owner does not understand what customer se
Après :     ['food', 'service', 'hostess', 'wife', 'owner', 'understand', 'customer_service', 'prediction', 'month', 'top']

Avant :     In short, save your money, people! The website hasn't been updated in I don't know how long. The nam
Après :     ['save_money', 'people', 'website', 'update', 'know', 'name', 'change', 'find', 'think', 'smuggle']

Avant :     Use to be my favorite pizza place in St. Louis.  They have sold and there are new owners.  

The foo
Après :     ['use', 'pizza', 'place', 'sell', 'owner', 'food', 'moon', 'draft', 'guess', 'travel']

Avant :     I agree with other reviewers decent beer selection pizza not so much sure isn't what I remember from
Après :     ['agree', 'reviewer', 'beer_selection', 'pizza', 'remember', 'sunset', 'hill', 'location']

Avant :     Not too happy. I got the spicy shrimp tacos. One bite and I downed three mugs of water. I couldn't e
Après :     ['shrimp', 'bite', 'mug', 'water', 'eat', 'food', 'asada', 'sandwich', 'meat', 'strip']

Avant :     I remember when this was the place - many moons ago. Now, though the portions are large, the menu is
Après :     ['remember', 'place', 'moon', 'portion', 'menu', 'date', 'place', 'grab', 'bite']

Avant :     Eh, disappointing food. I saw this place got busy during lunch hour so gave a shot during weekday lu
Après :     ['food', 'see', 'place', 'lunch', 'hour', 'give', 'shoot', 'lunch', 'place', 'see']

Avant :     Sunday brunch. Waited for the server to acknowledge me and take my order. Waited quite a while for m
Après :     ['brunch', 'wait', 'server', 'acknowledge', 'take', 'order', 'wait', 'food', 'wait', 'check']

Avant :     I got food poisoning after eating at this restaurant. I would recommend avoiding it at all costs.
Après :     ['food_poisoning', 'eat', 'restaurant', 'recommend', 'avoid_cost']

Avant :     No service, waited 20 minutes for someone to approach the table. When asked if there was service I r
Après :     ['service', 'wait_minute', 'approach', 'table', 'ask', 'service', 'receive', 'shrug', 'host']

Avant :     I come here only when absolutely necessary. It is busy however when it is not the service goes way w
Après :     ['come', 'service', 'way', 'way', 'wait', 'staff', 'know', 'give', 'tip', 'serve']

Avant :     A couple of friends and I met here for brunch on a Sunday morning. It was completely lackluster. My 
Après :     ['couple', 'friend', 'meet', 'brunch', 'morning', 'egg', 'lox', 'caper', 'hash_brown', 'friend']

Avant :     I hadn't been to this Marathon in about 2 years. Since then the prices have risen but I found the se
Après :     ['marathon', 'year', 'price', 'rise', 'find', 'service', 'use', 'return', 'forget', 'card']

Avant :     Had takeout from Marathon.

Meatloaf was pretty tasty.  Solid.

Turkey plate was hard to eat.  Actua
Après :     ['takeout', 'marathon', 'meatloaf', 'turkey', 'plate', 'eat', 'want', 'try', 'bite', 'turkey']

Avant :     WOW!!! The name says it all what a MARATHON!!!The wait time to get your order is ridiculous!!! Waite
Après :     ['name', 'say', 'marathon', 'wait', 'time', 'order', 'wait_minute', 'excuse', 'party', 'fault']

Avant :     I went there today and was disappointed that a woman at the front register had a cough and used a pa
Après :     ['today', 'disappoint', 'woman', 'register', 'cough', 'use', 'paper', 'spinach', 'smoothie', 'wash_hand']

Avant :     Nice ambiance. Average service. Worst food I've had in years.  Salmon was so oily we couldn't eat it
Après :     ['ambiance', 'service', 'food', 'year', 'salmon', 'eat', 'taste', 'cook', 'oil', 'add']

Avant :     We waited an hour and a half for our food while we saw at least 3 rotations of tables get their food
Après :     ['wait', 'hour', 'food', 'see', 'rotation', 'table', 'food', 'confront', 'manager', 'excuse']

Avant :     Possibly the slowest service I have had in years. Seriously it shouldn't take  an hour to cook a ham
Après :     ['service', 'year', 'take', 'hour', 'cook', 'hamburger', 'place', 'hour', 'waiting', 'food']

Avant :     I've been to the Rittenhouse location for dinner once, and once was definitely enough. Our host was 
Après :     ['rittenhouse', 'location', 'dinner', 'host', 'wound', 'server', 'ask', 'grill', 'tuna', 'steak']

Avant :     Good price, but not value.  The staff was nice, but the food was worse than anything I've cooked aft
Après :     ['price', 'value', 'staff', 'food', 'cook', 'night', 'boozing', 'order', 'dish', 'receive']

Avant :     Absolute joke. These people couldn't give a f*** about customer service. Pathetic. If I could give z
Après :     ['joke', 'people', 'give', 'customer_service', 'pathetic', 'give_star']

Avant :     Food was fresh and tasty but didn't get a lot for the buck. $11 and didn't come out feeling full. Lo
Après :     ['food', 'lot', 'buck', 'come', 'feel', 'wait', 'order', 'couple', 'employess', 'come']

Avant :     never get take-out from this place ever unless you want to eat your lunch at dinner time.  Not only 
Après :     ['take', 'place', 'want', 'eat', 'lunch', 'dinner', 'time', 'take', 'hour', 'food']

Avant :     Ordered delivery, post writing tip amount and signing - driver states "management says mushrooms cam
Après :     ['order', 'delivery', 'post', 'write', 'tip', 'amount', 'signing', 'driver', 'management', 'say']

Avant :     Sandwiches are great, I had the Best damned Turkey 6" with a small fry and a pint of IPa, - without 
Après :     ['sandwich', 'damn', 'fry', 'pint', 'ipa', 'check', 'price', 'beer', 'waitress', 'pleasant']

Avant :     This is a good family restaurant--you can bring kids, and the customers are both young and old. The 
Après :     ['family', 'restaurant', 'bring', 'kid', 'customer', 'food', 'end', 'serve', 'pasta', 'pasta']

Avant :     Ordered a Lexi with me and my buddy. Tasteless and overloaded with onions. Big waste of money. Calle
Après :     ['order', 'onion', 'waste_money', 'call', 'see', 'place', 'guy', 'tell', 'luck', 'work']

Avant :     I'm sorry, I wanted to like this pizza but when we had pizza delivered to our home it was worse than
Après :     ['want', 'pizza', 'pizza', 'deliver', 'crust', 'cardboard', 'flavor', 'move', 'year', 'find']

Avant :     Usually good here. Tonight a carry out. Got a deluxe. Vegetables  very rough cut. Did we forget how 
Après :     ['tonight', 'carry', 'vegetable', 'cut', 'forget', 'slice', 'look', 'dump', 'cut', 'pizza']

Avant :     We've been here for 10 minutes and the waitress has walked past twice with no acknowledgment.....the
Après :     ['minute', 'waitress', 'walk', 'acknowledgment', 'place', 'wait', 'ask', 'service', 'wipe', 'table']

Avant :     Came out on a Friday night to get something to drink and eat and it happened to be on a UA basketbal
Après :     ['come', 'night', 'drink', 'eat', 'happen', 'basketball', 'night', 'grant', 'figure', 'busy']

Avant :     I just called to place a delivery order and they stated they could not do it. I have to come into th
Après :     ['call', 'place', 'delivery', 'order', 'state', 'come', 'store', 'want', 'food']

Avant :     The food is never consistently the same.  I guess they must be one of the busiest locations in St Lo
Après :     ['food', 'guess', 'location', 'beware', 'crowed', 'quality', 'location', 'internet', 'connection']

Avant :     This is the dirtiest Saint Louis Bread / Panera I've visited. All the tables we attempted to sit on 
Après :     ['saint', 'louis', 'bread', 'visit', 'table', 'attempt', 'sit', 'order', 'become', 'panera']

Avant :     Used to love St. Louis Breadco, but the quality and quantity has decreased significantly.  The flatb
Après :     ['use', 'quality_quantity', 'decrease', 'flatbread', 'thing', 'change', 'price', 'expensive']

Avant :     If I could give zero stars I would.. This is one of the dirtiest Bread Co. that I have ever been at.
Après :     ['give_star', 'bread', 'co', 'bread', 'co', 'slack', 'lot', 'opinion', 'order', 'service']

Avant :     Went through the drive-thru on the evening of 5/8/18. I ordered a bowl of onion soup and a baguette.
Après :     ['drive', 'evening', 'order', 'bowl', 'onion_soup', 'change', 'catch', 'neglect', 'give', 'piece']

Avant :     I ordered the frontega chicken panini to go. Once home, I could not eat the sandwich due to large in
Après :     ['order', 'chicken', 'panini', 'home', 'eat', 'sandwich', 'chunk', 'chicken', 'piece', 'put']

Avant :     Love the Greek salad. Pizza is above average. Service ranges from okay to worst on the face of the p
Après :     ['love', 'salad', 'pizza', 'service', 'range', 'face', 'planet']

Avant :     The service is atrocious. The Chicago style pizza is mediocre.

The ambiance is suitable for folks w
Après :     ['service', 'style', 'pizza', 'ambiance', 'folk', 'use', 'instagram', 'lot', 'advertisement', 'toy']

Avant :     The steak is okay. I give it a 1 because it's not worth the price. Very expensive. You can find a mu
Après :     ['give', 'price', 'find', 'steak', 'restaurant', 'town', 'experience', 'dampen', 'couple', 'try']

Avant :     This place had the worse server, there was a cut in my wine glass that almost cut my lip. We were ne
Après :     ['place', 'server', 'cut', 'wine_glass', 'cut', 'lip', 'acknowledge', 'anniversary', 'assistant', 'manager']

Avant :     This was my second time at Flemings and it confirmed my first impression...below average. We have so
Après :     ['time', 'fleming', 'confirm', 'impression', 'steak', 'house', 'indianapoli', 'food', 'cook', 'time']

Avant :     This was the worst experience ever out dinning. It was my wife and I's 4th anniversary and won't be 
Après :     ['experience', 'din', 'wife', 'anniversary', 'start', 'cook', 'steak', 'ask', 'wife', 'send']

Avant :     Being from Arizona, I guess I am not use to restaurants charging for chips and salsa. This place doe
Après :     ['guess', 'use', 'restaurant', 'charge', 'chip', 'place', 'enjoy', 'taco', 'think']

Avant :     honestly this place is hit or miss. I ALWAYS get the same thing. Jr bacon cheeseburgers and fries. s
Après :     ['place', 'hit_miss', 'thing', 'jr', 'bacon', 'cheeseburger', 'fry', 'fry', 'alot', 'time']

Avant :     The service is exactly what I expect from a fast food joint -- slow and lousy.  

Food is served luk
Après :     ['service', 'expect', 'food', 'food', 'serve', 'check', 'drive', 'expect', 'fry', 'cook']

Avant :     I have been 3 times - all 3 times the ahi tuna was still semi-frozen. Staff is friendly and topping 
Après :     ['time', 'time', 'ahi', 'tuna', 'staff', 'top', 'food', 'tuna']

Avant :     Had been wanting to try this place for a while based on the star rating and the pictures on Postmate
Après :     ['want', 'try', 'place', 'base', 'rating', 'picture', 'postmate', 'guess', 'pic', 'advertise']

Avant :     This place was awful. I went because it was the only place open late at night. Burger and fries were
Après :     ['place', 'place', 'night', 'fry', 'apple_pie', 'taste', 'come', 'refrigerate', 'box']

Avant :     I would not recommend Prime 108. Nothing special here. Food was mediocre & service was marginal. The
Après :     ['recommend', 'food', 'service', 'menu', 'wine_list', 'limit', 'hotel', 'lobby', 'fireplace', 'restaurant']

Avant :     Waited for a table for breakfast today for approx. 15 minutes with 8 empty tables but not yet cleare
Après :     ['wait', 'table', 'breakfast', 'today', 'minute', 'table', 'clear', 'reset', 'order', 'wait_min']

Avant :     If you are looking for a steak house this is not it. They have 2 choices a strip and a filet. I orde
Après :     ['look', 'steak', 'house', 'choice', 'order', 'medium', 'come', 'piece', 'cook', 'piece']

Avant :     This is a decent place to stop at the Lakeside Mall, where pretty much everything besides Bed Bath &
Après :     ['place', 'stop', 'lakeside', 'mall', 'bed', 'bath', 'describe', 'meh', 'experience', 'stuff']

Avant :     I'm giving them one star because of the dine-in service. We were seated, ordered... no problem. 40 m
Après :     ['give_star', 'seat', 'order', 'problem', 'min', 'food', 'call', 'waitress', 'set', 'send']

Avant :     Good bagels, but they can NEVER get an order right.  We live in NJ so when you ask for Taylor Ham an
Après :     ['bagel', 'order', 'live', 'ask', 'think', 'handle', 'sandwich', 'egg', 'cheese', 'sandwich']

Avant :     Best bagels in the area by far.  No issues there, but the place is the worst run store I've ever bee
Après :     ['bagel', 'area', 'issue', 'place', 'run', 'store', 'lady', 'counter', 'serve', 'food']

Avant :     If you like bagels for lunch than this is the place. They don'y realize bagels are a breakfast food.
Après :     ['bagel', 'lunch', 'place', 'realize', 'bagel', 'breakfast', 'food', 'hour', 'say', 'dozen']

Avant :     Had the JJ Unwich #2 Roast beef.  What a rip off.  It was a couple peices of lettuce and it seemed l
Après :     ['jj', 'roast_beef', 'rip', 'couple', 'peice', 'lettuce', 'seem', 'slice', 'roast_beef', 'ton']

Avant :     Ordered curbside pickup service and it's a total fail. I arrived and called the number NO answer. Ca
Après :     ['order', 'pickup', 'service', 'total', 'arrive', 'call', 'number', 'answer', 'call', 'couple']

Avant :     Absolutely horrible experience. There was a long wait for the food, the server was aloof and uncarin
Après :     ['experience', 'wait', 'food', 'server', 'aloof', 'part', 'problem', 'take', 'hour', 'check']

Avant :     Service was terribly slow. Canceled our order for waters and soda and an appetizer and walked out. S
Après :     ['service_slow', 'cancel_order', 'water', 'soda', 'appetizer', 'walk', 'staff', 'way', 'management', 'seem']

Avant :     For a beer and app can't beat it. All kinds of promotions during the sports season. Food is ok not c
Après :     ['beer', 'beat', 'kind', 'promotion', 'sport', 'season', 'food', 'preparation', 'food', 'joint']

Avant :     Let just say we have been to BJs and have always loved the food. It seems that every BJs that I go t
Après :     ['let', 'say', 'bjs', 'love', 'food', 'seem', 'bjs', 'seem', 'staff', 'order']

Avant :     I've been to BJ's once before at cirrus park and it was excellent. This exp was the worst. We were a
Après :     ['cirrus', 'park', 'family', 'dinner', 'person', 'food', 'dish', 'salad', 'leave', 'lot_desire']

Avant :     1.  Disfunction with the hostesses to start the night. 
2.  Drinks took 15-20 mins to get.  
3.  The
Après :     ['disfunction', 'hostess', 'start', 'night', 'drink', 'take_min', 'order', 'take', 'time', 'receive']

Avant :     $5 drinks is wonderful, if they didn't run out of ribs at 730pm on Thursday.  Wings and pazookie are
Après :     ['drink', 'run', 'rib', 'wing', 'good', 'time']

Avant :     a disaster from beginning to end.  the front of house couldn't get their story straight.  quoting di
Après :     ['disaster', 'begin', 'end', 'house', 'story', 'quote', 'time', 'seat', 'people', 'order']

Avant :     It's not my favorite place , all the family got the runs after dinner, food was late and came out co
Après :     ['place', 'family', 'run', 'dinner', 'food', 'come', 'service', 'mgmt']

Avant :     Bland. Everything was bland. I have eaten there twice and both times was disappointed. Even their be
Après :     ['bland', 'eat', 'time', 'disappoint', 'beer', 'bland', 'try', 'ale', 'flavor', 'brew']

Avant :     Food was good. But everything else was a joke. Management and staff decided to have a party off to t
Après :     ['food', 'joke', 'management', 'staff', 'decide', 'party', 'side', 'restaurant', 'people', 'stand']

Avant :     Don't waste your time or money. Went there for lunch and it took 45min to get our order. When the or
Après :     ['waste_time', 'money', 'lunch', 'take_min', 'order', 'order', 'arrive', 'part', 'salad', 'disappointing']

Avant :     Put our name on the list at 12:30 for s party of 3 and was told it would be a 15-20 minute wait. Aft
Après :     ['put', 'name', 'list', 'party', 'tell', 'minute', 'wait', 'check', 'wait', 'couple']

Avant :     Ordered the pizza to go was ready when promised but seems like they forgot the tomato sauce or somet
Après :     ['order', 'pizza', 'promise', 'seem', 'forgot', 'tomato_sauce', 'standard']

Avant :     Ok, so they have good food and some really great coffee. And sometimes you get to sit on the sofa an
Après :     ['food', 'coffee', 'sit', 'sofa', 'make', 'feel', 'place', 'think', 'sweep', 'floor']

Avant :     Worthless. They turn off the WiFi on Sundays!  Now I have a drink and can't get any work done.
Après :     ['turn', 'wifi', 'sunday', 'drink', 'work']

Avant :     I live half a block from here and for some reason, never stopped in. A day off from work, extreme hu
Après :     ['live_block', 'reason', 'stop', 'day', 'work', 'hunger', 'lack', 'food', 'apartment', 'convenience']

Avant :     The service is terrible. My late was cold and tasted like milk, before having to pay for an extra sh
Après :     ['service', 'taste', 'milk', 'pay', 'shot', 'make', 'taste', 'coffee', 'ask', 'work']

Avant :     Not only was the bagel sandwich stale and lacked flavor, the service was also poor. The servers were
Après :     ['flavor', 'service', 'server', 'inpatient', 'rush', 'look', 'menu', 'consider', 'time', 'want']

Avant :     If I could give this place zero stars I would.  That is how bad this restaurant was. The service was
Après :     ['give', 'place', 'star', 'restaurant', 'service', 'make_reservation', 'day', 'promise', 'room', 'sit']

Avant :     In my one experience here, this place overbooked on reservations so there were two other parties bes
Après :     ['experience', 'place', 'overbooke', 'reservation', 'party', 'waiting', 'room', 'manager', 'tell', 'reservation']

Avant :     Ordered a chocolate chip cake with buttercream icing and it was terrible. The worst cake ever at our
Après :     ['order', 'chocolate_chip', 'cake', 'buttercream', 'ice', 'cake', 'visit', 'neighborhood', 'bakery', 'quality']

Avant :     Food is ok, but over priced.  We had some credit card fraud at this place.  The worker name Crystal 
Après :     ['food', 'price', 'credit_card', 'fraud', 'place', 'worker', 'run', 'boyfriend', 'card', 'charge']

Avant :     While we've had okay experiences with this restaurant before, lately we've been having experiences t
Après :     ['experience', 'restaurant', 'experience', 'tonight', 'order', 'food', 'know', 'take', 'time', 'food']

Avant :     Average-mediocre. There is a nickname for this place that seems is somewhat accurate. It's not the w
Après :     ['nickname', 'place', 'seem', 'food', 'quality', 'leave_desire', 'depend', 'order', 'hammer', 'need']

Avant :     This place is complete garbage.  1 point for the quick delivery and that's it.  I didn't know it was
Après :     ['place', 'garbage', 'point', 'delivery', 'know', 'screw', 'fry_rice', 'mound', 'rice', 'piece_chicken']

Avant :     Do I have to give it a star?   This was their last chance with me. Each time I've gotten delivery it
Après :     ['give_star', 'chance', 'time', 'delivery', 'take', 'hour', 'forget', 'night', 'take', 'hour']

Avant :     Certainly not the best, but they "deliver".  Delivery takes at least one full hour or more- beware. 
Après :     ['deliver', 'delivery', 'take', 'hour', 'beware', 'food', 'need', 'help', 'sauce', 'flake']

Avant :     This is the worst food I've ever had. No drinks with our order (although we paid for them). The food
Après :     ['food', 'drink', 'order', 'pay', 'food', 'greasy', 'pay', 'include', 'tip']

Avant :     Def,, not a place I
Got
For
Italian
Food ever again good place for Italian food spasso front and mar
Après :     ['place', 'food', 'place', 'food', 'market', 'pesto', 'passyunk', 'def', 'list']

Avant :     We had a reservation for two and they seated us next to a large party - had to be 20+ people.  The p
Après :     ['reservation', 'seat', 'party', 'people', 'party', 'turn', 'event', 'people', 'lean', 'table']

Avant :     Food is Overrated terribly. Service very poor by Matt. Soup $8 bowl... Nothing in it.
Bread from loc
Après :     ['food', 'overrate', 'bowl', 'bread', 'bakery', 'part', 'meal', 'make', 'fiance', 'feel']

Avant :     Its so dark in there. Sauce was blah... service was blah.. and everyone that worked there was sittin
Après :     ['service', 'blah', 'work', 'sit_bar', 'phone', 'worth']

Avant :     Went last night. Grumpy staff and pushy, wrong personality for the restaurant business.
 food not as
Après :     ['night', 'staff', 'pushy', 'personality', 'restaurant', 'business', 'food', 'expect', 'portion', 'pasta']

Avant :     Very easy to review this place. Blah. Bland. Tasteless. Boring. I cannot even remember what I ate he
Après :     ['review', 'place', 'blah', 'boring', 'remember', 'eat', 'ehh', 'place', 'eat', 'flavor']

Avant :     It might be good,  but I'll never know...

I just walked in to this restaurant and almost immediatel
Après :     ['good', 'know', 'walk', 'restaurant', 'walk', 'walk', 'greet', 'people', 'bartender', 'appear']

Avant :     Went there tonight for the first time with a party of 14. We had a pre-determined menu. The food was
Après :     ['tonight', 'time', 'menu', 'food', 'give', 'restaurant', 'spitting', 'distance', 'disappoint', 'staff']

Avant :     Literally the most racist restaurant I have ever been into in my life. The manager was as unprofessi
Après :     ['restaurant', 'life', 'manager', 'teenager', 'run', 'register', 'wait_minute', 'call', 'register', 'order']

Avant :     Just got home the second time from wrong Oder I got for take out. Then after going back to fix order
Après :     ['time', 'oder', 'take', 'fix', 'order', 'count', 'chicken_strip', 'today']

Avant :     Slow service, cave like atmosphere and pre-frozen foods are the things you'll find at Friendly's in 
Après :     ['service', 'cave', 'atmosphere', 'pre', 'food', 'thing', 'find', 'lemay', 'fry', 'poultry']

Avant :     I absolutely love how good this pizza is. However the last 2 times I've ordered from them it has tak
Après :     ['love', 'pizza', 'time', 'order', 'take', 'amount', 'time', 'delivery', 'time', 'take']

Avant :     Beware!! My husband and I were here the other night in the drive thru and the girl dropped the ice s
Après :     ['beware', 'girl', 'drop', 'ice', 'scooper', 'floor', 'rinse', 'put', 'ice', 'way']

Avant :     I am extremely mad!! I came from the one on oddie Boulevard. An they we're supposed to be open but n
Après :     ['come', 'suppose', 'greet', 'drive', 'window', 'sign', 'say', 'cleaning', 'see', 'clean']

Avant :     This Tims drive thru has a reputation of cutting you off and rushing you through to the point that's
Après :     ['tim', 'drive', 'reputation', 'cut', 'rushing', 'point', 'rude', 'happen', 'time', 'neighbor']

Avant :     Jesus Christ this place is terrible. Waited half an hour for a beer while the place was dead. Food w
Après :     ['wait', 'hour', 'beer', 'place', 'food', 'microwave', 'waitress', 'try', 'management', 'lunch']

Avant :     I don't recommend anyone to come here. Worst service EVER. Waiters were rude and lowsy. Didn't give 
Après :     ['recommend', 'come', 'service', 'waiter', 'give', 'silverware', 'ask', 'time']

Avant :     No military discount for my son headed to Kuwait to serve our county! Shame on you all! All other pl
Après :     ['discount', 'son', 'head', 'serve', 'county', 'shame', 'place', 'give', 'discount']

Avant :     Jim the waiter shouldn't make comments about customers where they can hear it, very poor customer se
Après :     ['make', 'comment', 'customer', 'hear', 'customer_service']

Avant :     Horrible service. There was no sense of urgency at any time. Brought out one of the worst omelets I 
Après :     ['service', 'sense_urgency', 'time', 'bring', 'omelet', 'put', 'ketchup', 'packet', 'food', 'bring']

Avant :     I tried this place again for the second time and it was consistently disappointing. I don't expect m
Après :     ['try', 'place', 'time', 'expect', 'airport', 'pasta', 'restaurant', 'order', 'mostaciolli', 'pasta']

Avant :     If the food want good this would have been just a one star.  Service is slow, the kitchen is ungodly
Après :     ['food', 'want', 'star', 'service', 'kitchen', 'airport', 'bartender', 'drop', 'girlfriend', 'food']

Avant :     Just terrible. The Spaghetti Carbonara took forever to make and arrived as a bland pile in a bowl. W
Après :     ['take', 'make', 'arrive', 'pile', 'bowl']

Avant :     I had 30 minutes prior to my flight boarding. I thought, well, here's a bar where I can see when the
Après :     ['minute', 'flight', 'boarding', 'think', 'bar', 'see', 'line', 'cattle', 'think', 'couple']

Avant :     YECH!!   Side salad ($3.50) looked like they got it out of a dumpster.  Watery "bolognese" sauce had
Après :     ['side', 'salad', 'look', 'dumpster', 'bolognese', 'sauce', 'sign', 'meat', 'meatball', 'see']

Avant :     We had meatballs and cantelloni and both were awful. The meat looked processed the sauce was essenti
Après :     ['meatball', 'cantelloni', 'meat', 'look', 'process', 'sauce', 'ragu', 'flavor', 'sub_par', 'guy']

Avant :     Food was okay.  Their only salad dressing had little flavor, and their spicy chicken sandwich was de
Après :     ['food', 'salad_dress', 'flavor', 'chicken', 'sandwich', 'fry', 'sevice']

Avant :     Poor quality food. Margarita was one of the worst. Mediocre beer. Ill equipped bar. Typical overpric
Après :     ['quality', 'food', 'beer', 'equip', 'bar', 'overprice', 'airport', 'venue', 'food', 'quality']

Avant :     One of them has been salty to much, the other dish had a hair on the plate, the manager in the resta
Après :     ['dish', 'hair', 'plate', 'manager', 'know', 'line', 'experience']

Avant :     Do not go here. Was greeted last though I got there before 2 other people. Then waited 35 minutes fo
Après :     ['greet', 'people', 'wait_minute', 'service']

Avant :     Before I can get to the attitude of this place. Let me tell you we walk in when there is no one at a
Après :     ['attitude', 'place', 'let', 'tell', 'walk', 'person', 'seat', 'restroom', 'waiter', 'seem']

Avant :     food seemed good but nothing went right. eventually meal comped didn't eat it and left pissed off.  
Après :     ['food', 'seem', 'meal', 'compe', 'eat', 'leave', 'piss', 'seem_care', 'figure', 'gamble']

Avant :     Truly awful! I chose this as my birthday lunch place with a friend. The counter clerk/meal maker was
Après :     ['choose', 'birthday', 'lunch', 'place', 'friend', 'meal', 'maker', 'disintereste', 'border', 'place']

Avant :     When I went to eat here they were cleaning the ceiling fans right over where the food was being prep
Après :     ['eat', 'clean', 'ceiling', 'fan', 'food', 'prepare']

Avant :     Im kind of glad that Im not the only one not singing Posto's praises.  While there wasnt anything ho
Après :     ['singe', 'posto', 'praise', 'lunch', 'laclkluster', 'experience', 'pricetag', 'service', 'impression', 'salad']

Avant :     Disgruntled staff working alone with no oversight. I ordered a bagel. He took my payment at the cash
Après :     ['disgruntle', 'staff', 'work', 'oversight', 'order', 'take', 'payment', 'cash_register', 'order', 'proceed']

Avant :     Il Posto is a very interesting concept, simple, fresh good food in a nice space.  The food was tasty
Après :     ['concept', 'food', 'space', 'food', 'tuna', 'salad', 'hero', 'panini', 'service', 'walk_door']

Avant :     Food was ok and reasonably priced. The veal Chadds Ford was good but the fried chicken tasted like (
Après :     ['food', 'price', 'veal', 'chadd', 'fry', 'chicken', 'taste', 'rubber', 'come', 'freezer']

Avant :     Was there on a Friday evening. Took over an hour to be seated, when we were told 1/2 hr. wait.. Had 
Après :     ['evening', 'take', 'hour', 'seat', 'tell', 'wait', 'music', 'hear', 'try', 'talk']

Avant :     Very slow service!  The bartenders ignore you.  Food is low end.  Took 40 minutes to get a beer.  I'
Après :     ['service', 'bartender', 'ignore', 'food', 'end', 'take', 'minute', 'beer', 'say', 'bother']

Avant :     Grand reopening weekend. So I called and made reservations for a table of 4 early Friday morning and
Après :     ['reopen', 'weekend', 'call', 'make_reservation', 'table', 'morning', 'receptionist', 'tell', 'reservation', 'table']

Avant :     this place is out of business !!
anyone know what happened?  did they move?
Après :     ['place', 'business', 'know', 'happen', 'move']

Avant :     Terrible service, our order got screwed up, and once we actually started eating there was a hair in 
Après :     ['service', 'order', 'screw', 'start', 'eat', 'hair', 'meal', 'thing', 'find', 'ketchup']

Avant :     Worst McDonalds in the Country. One of their employees asked "what you want whitebread "
Après :     ['mcdonald', 'country', 'employee', 'ask', 'want', 'whitebread']

Avant :     Buyer Beware: Please be cautiously aware when placing an order that you are trying to get the advert
Après :     ['buyer', 'beware', 'place', 'order', 'try', 'advertise', 'discount', 'cite', 'offer', 'order']

Avant :     Vegetarian hoagie was not impressive but was a bit soggy with an ungenerous amount if wilted lettuce
Après :     ['bit', 'amount', 'wilt', 'lettuce', 'tomatoe', 'person', 'take', 'order', 'listen', 'write']

Avant :     Absolutely disgusting. Pizza was so greasy and over priced. The chicken nuggets were decent maybe be
Après :     ['pizza', 'greasy', 'price', 'chicken', 'nugget', 'taste', 'home', 'buy', 'one', 'price']

Avant :     If I could give this Friendly's zero stars, it would be more than it deserves. Terrible service. Had
Après :     ['give_star', 'deserve', 'service', 'wait', 'hour', 'staff', 'manager', 'table', 'floor', 'look']

Avant :     Worst Friendly's I've been to. It is a small location inside the mall. No booths large enough for a 
Après :     ['location', 'mall', 'booth', 'table', 'sit', 'kitchen', 'bathroom', 'woman', 'order', 'point']

Avant :     I had been to friendly's before, and thought my daughter would like it. We stood in the hall for mor
Après :     ['thought', 'daughter', 'like', 'stand', 'minute', 'table', 'sit', 'tell', 'table', 'leave']

Avant :     Horrible service...the place is run by teenagers there was literally not one adult...they are rude, 
Après :     ['service', 'place', 'run', 'teenager', 'adult', 'rude', 'order', 'correct', 'meal', 'avoid']

Avant :     I can't even give this one star. This was the worst experience in my 41 years of going to a restaura
Après :     ['give_star', 'experience', 'year', 'restaurant', 'friendlys', 'staff', 'expect', 'waitress', 'look', 'annoy']

Avant :     Visited tonight for take-out.  16 bucks for the tutto du Mari, which had 6 small shrimp and a bunch 
Après :     ['visit', 'tonight', 'take', 'buck', 'tutto', 'shrimp', 'bunch', 'clam', 'mush', 'tell']

Avant :     My brother and I were excited to try this place for the first time for lunch today.  Got there at 10
Après :     ['try', 'place', 'time', 'lunch_today', 'sign', 'come', 'rush', 'side', 'door', 'open']

Avant :     We went to Cunetto's at 1:45hrs on Friday for our first time  only to find a handwritten note on the
Après :     ['time', 'find', 'note', 'door', 'form']

Avant :     Does not have ramen. Only half the menu on here is correct. They have sushi and that's it.
Après :     ['raman', 'half', 'menu', 'correct']

Avant :     When we first walked in the atmosphere seemed really cool and all until the bouncer came up to me an
Après :     ['walk', 'atmosphere', 'seem', 'bouncer', 'come', 'snatch', 'arm', 'pay', 'look', 'wrist']

Avant :     Came from New Jersey for the New Year's Eve party here. Management/Ownership is awful, after the par
Après :     ['come', 'party', 'management', 'ownership', 'party', 'screw', 'promoter', 'pay', 'fiance', 'fly']

Avant :     The inside looks great compared to how it use to be. But the service was terrible!!!! My friends and
Après :     ['look', 'compare', 'use', 'service', 'friend', 'order', 'wait', 'hour', 'food', 'waitress']

Avant :     The reviews were good, so we thought we would check it out. We were thoroughly disappointed. 

The r
Après :     ['review', 'thought', 'check', 'disappoint', 'renovation', 'feel', 'feel', 'drug', 'deal', 'ask']

Avant :     Ridiculous that most of the things on the menu they are out of... went through the drive through and
Après :     ['thing', 'menu', 'drive', 'live', 'return']

Avant :     Ordered large tossed salad with grilled chicken to go. One of the worst i ever tried. Salad mix from
Après :     ['order', 'toss', 'salad', 'grill', 'try', 'salad', 'mix', 'bag', 'piece_chicken']

Avant :     Was passing threw coming in from New York, had to stop by the dmv for a renewal license so I figured
Après :     ['pass', 'throw', 'come', 'stop', 'renewal', 'license', 'figure', 'bite', 'eat', 'waitress']

Avant :     Currently here. 650 bud select pitchers but no all u can eat wings even though its Thursday. Got a p
Après :     ['pitcher', 'eat', 'wing', 'picher', 'potato_skin', 'finish', 'post', 'eat', 'skin', 'bar']

Avant :     Kind of a dive bar, which I usually like....but this place always has around a 50 (out of 100) on th
Après :     ['dive_bar', 'place', 'health', 'inspection', 'priority', 'violation', 'inspection', 'include', 'stop', 'sale']

Avant :     Really poorly ran location, most of the staff isn't polite or knowledgeable of items/promos. I went 
Après :     ['run', 'location', 'staff', 'polite', 'item', 'fish', 'buy', 'drink', 'deal', 'survey']

Avant :     We had the renowned fish because burgers are too greasy,  that was an expensive mistake,
Après :     ['fish', 'burger', 'greasy', 'mistake']

Avant :     This place has went down hill to me. At first, when it was just the owner at the one store on linber
Après :     ['place', 'owner', 'store', 'linbergh', 'food', 'seem', 'start', 'branch', 'service', 'food']

Avant :     Rice was excellent until the opening of the other 2 sites. I got food on Saturday 23 and my rice was
Après :     ['rice', 'opening', 'site', 'food', 'rice', 'wonton', 'cook', 'eat', 'alot', 'nd']

Avant :     Used to be pretty good, especially with delivery.  Sadly, they stopped delivering.  Called in severa
Après :     ['use', 'delivery', 'stop', 'deliver', 'call', 'order', 'show', 'wait_minute', 'time', 'quality']

Avant :     Order somewhere else. Too expensive and they give you a childs side of rice with your order. Not wor
Après :     ['order', 'give', 'child', 'side', 'rice', 'order', 'place', 'buck', 'give', 'pint']

Avant :     This place is horrible I wasn't suggest this place to anyone. The service here is horrid I wouldn't 
Après :     ['place', 'suggest', 'place', 'service', 'advise', 'come', 'eat']

Avant :     Horrible service. Old, stale slices kept in cake display with a lid that drips evaporation on the sl
Après :     ['service', 'slice', 'keep', 'cake', 'display', 'lid', 'drip', 'evaporation', 'slice', 'trip']

Avant :     Worst pizza ever!!! My children and I physically got sick from this pizza.  It is NOTHING like Mack'
Après :     ['pizza', 'child', 'pizza']

Avant :     Went there to get a steak sandwich for my daughter and the meat was nonexistent. I literally was abl
Après :     ['steak', 'sandwich', 'daughter', 'meat', 'pull', 'meat', 'side', 'roll', 'look', 'sandwich']

Avant :     Not impressed.  We ordered for delivery which was timely, but the pie arrived cold, the cheese had s
Après :     ['impress', 'order', 'delivery', 'pie', 'arrive', 'cheese', 'slide', 'side', 'crust', 'def']

Avant :     This pizza was terrible compared to even the lowest of standards. This is most definitely not the sa
Après :     ['pizza', 'compare', 'standard', 'mack', 'pizza', 'shore', 'favor', 'order']

Avant :     If there was an option to take stars away I would.  This place is crap.  I was hoping for something 
Après :     ['option', 'take', 'star', 'place', 'crap', 'hope', 'boardwalk', 'pizza', 'claim', 'throw']

Avant :     Too-soft ice cream. Kids working don't pay attention to you and chat with each other. Bad ice cream.
Après :     ['ice_cream', 'kid', 'work', 'pay_attention', 'chat', 'ice_cream', 'dq']

Avant :     If there was a zero star rating that's how I would rate this location. 
It is the worst ice cream ev
Après :     ['star_rating', 'rate', 'location', 'ice_cream', 'ice_cream', 'ice_cream', 'eat', 'air', 'ewwww']

Avant :     Bland food and horrible selection for what they are charging, wouldn't eat hear again even if they w
Après :     ['food', 'selection', 'charge', 'eat', 'hear', 'give', 'save_money', 'sizzler', 'give_star', 'yelp']

Avant :     It had been a few years since we visited the Orozko, and it seems to have fallen off.  The decor and
Après :     ['year', 'visit', 'orozko', 'seem', 'decor', 'waiter', 'food', 'menu_item', 'salad_dress', 'salad']

Avant :     We have always driven by this place on our way home from the beach and finally decided to swing by f
Après :     ['drive', 'place', 'way', 'beach', 'decide', 'swing', 'dinner', 'menu', 'order', 'waiter']

Avant :     We arrived a little early sat at the bar and had a drink when it was time to sit at our table the ba
Après :     ['arrive', 'bar', 'drink', 'time', 'sit', 'table', 'bartender', 'look', 'picture', 'cell_phone']

Avant :     Went tonight to see billy A play. Bartender with beard SO rude we left. Never again and I'm a local.
Après :     ['tonight', 'see', 'play', 'bartender', 'leave']

Avant :     This may be an unfair rating because I'm commenting on the Sunday Brunch. For $16.99 one would expec
Après :     ['rating', 'comment', 'brunch', 'expect', 'offering', 'omelette', 'buffet', 'add', 'bacon_sausage', 'scramble_egg']

Avant :     If you have allergies or would like decent service, do NOT eat here. Prior to this, I have only writ
Après :     ['allergy', 'like', 'service', 'eat', 'write_review', 'disappoint', 'nightmare', 'restaurant', 'become', 'use']

Avant :     One of the worst restaurant experiences I've ever had. Bad music way too loud - they literally playe
Après :     ['restaurant', 'experience', 'music', 'way', 'play', 'slide', 'volume', 'people', 'eat', 'service']

Avant :     I was very disappointed in my visit on Mother's Day. I've been to the Fellini's cafe in Newtown Squa
Après :     ['visit', 'mother', 'newtown', 'food', 'location', 'seat', 'waiter', 'find', 'meal', 'crowd']

Avant :     Too noisy, slow service, waiter didn't open wine bottle, waited excessively long for food to be serv
Après :     ['service', 'waiter', 'wine', 'bottle', 'wait', 'food', 'serve', 'portion_size', 'option', 'order']

Avant :     Brought my in laws here about a month ago. The food was good - except for the fact we had to wait an
Après :     ['bring', 'law', 'month', 'food', 'fact', 'wait', 'hour_half', 'ask', 'time', 'tell']

Avant :     Ive eaten there many times ( partys etc, that i never setup, just went to be polite) every meal has 
Après :     ['eat', 'time', 'party', 'setup', 'meal', 'eat', 'boyardee']

Avant :     OMG, went to Felini's with friends and sat in the dining room that is brand new!  Please, if they wa
Après :     ['felini', 'friend', 'sit', 'dining_room', 'brand', 'want', 'seat', 'turn', 'leave', 'speak']

Avant :     Tonight I went to Superior Grill expecting a delicious tex mex meal with great vibes. First it began
Après :     ['tonight', 'grill', 'expect', 'meal', 'vibe', 'begin', 'waitress', 'manager', 'come', 'make']

Avant :     Mediocre Mexican food in a tacky location. Too many tourists and annoying families with loud kids. I
Après :     ['food', 'location', 'tourist', 'family', 'kid', 'salad', 'service', 'rush', 'price']

Avant :     In a city full of outstanding food options, Superior Grill is not one of them. The food here is pret
Après :     ['city', 'food', 'option', 'grill', 'food', 'veg', 'quesadilla', 'throw', 'make', 'home']

Avant :     Okay so my friend and I went here for margaritas and dinner. I got cheese enchiladas which were actu
Après :     ['friend', 'dinner', 'cheese', 'enchilada', 'bean', 'margarita', 'friend', 'ask', 'premium', 'liquor']

Avant :     It's like an overpriced non-chain Hacienda, but constantly full of babes. I don't understand.
Après :     ['chain', 'hacienda', 'babe', 'understand']

Avant :     Very, very loud. Parking next to impossible. Food was OK but not authentic Mex. Was Tex-Mex.
Margari
Après :     ['parking', 'food', 'ok', 'hour', 'waiter', 'expensive']

Avant :     Great food, but drinks are SUPER EXPENSIVE. 2 drinks margarita's more than the meal. Why is a strawb
Après :     ['food', 'drink', 'drink', 'meal', 'margarita']

Avant :     I'm trying to understand how the hostess moved past my husband in that tiny foyer where guests enter
Après :     ['try', 'understand', 'hostess', 'move', 'husband', 'foyer', 'guest', 'enter', 'seat', 'party']

Avant :     Food is ok, not great or even good salsa needs help!  I remember in the past thinking it was SOO goo
Après :     ['food', 'salsa', 'need', 'help', 'remember', 'think', 'margie', 'think', 'trip', 'child']

Avant :     So where should I begin? Amazing how we have a large portion of society with a lack of taste, and th
Après :     ['begin', 'portion', 'society', 'lack', 'taste', 'insight', 'grasp', 'service', 'mean', 'enjoy']

Avant :     I'll give it to them.  The margaritas here are really good, but they are $11 for a small one!  Every
Après :     ['give', 'margarita', 'one', 'time', 'eat', 'food_poisoning', 'pack', 'idea', 'baton', 'rouge']

Avant :     Inferior Grill. Faux Tex-Mex. The margaritas are too sweet, the salsa too bland, and most of the ent
Après :     ['bland', 'entree', 'watch', 'lard', 'fajita', 'undercooke', 'tasting', 'beef', 'fajita', 'corn_tortillas']

Avant :     Average.  I've eaten at Superior Grill in Shreveport many times, and love it... always good!  I find
Après :     ['eat', 'shreveport', 'time', 'love', 'find', 'food', 'fajita', 'flour_tortilla', 'come', 'doughy']

Avant :     Food blows. I don't get why people flock to this place. They get two stars because it's a great spot
Après :     ['food', 'blow', 'people', 'flock', 'place', 'star', 'spot', 'stand', 'muse', 'crowd']

Avant :     We were shocked to see the cheapest entree was 19 dollars because we looked at the menu beforehand a
Après :     ['see', 'dollar', 'look', 'menu', 'see', 'option', 'bar', 'menu', 'ask', 'order']

Avant :     Drinks good, food mediocre, waiters full of meaningless patter about the alleged nuances of food and
Après :     ['drink', 'food', 'waiter', 'patter', 'allege', 'nuance', 'food', 'drink', 'service', 'price']

Avant :     Building and atmosphere was great, but food and drinks did not meet the mark. Beware if you are goin
Après :     ['build', 'atmosphere', 'food', 'drink', 'meet', 'mark', 'beware', 'order', 'jerk', 'say']

Avant :     Was great for the most part, but upon finding my bill the next day and having it rectified - Good Lu
Après :     ['part', 'find', 'bill', 'day', 'rectify', 'luck', 'deal', 'staffer', 'chip', 'shoulder']

Avant :     I've eaten here three times. The first two I had cooked food. Tonight my friend and I ordered just s
Après :     ['eat', 'time', 'food', 'tonight', 'friend', 'order', 'fish', 'rice', 'cook', 'want']

Avant :     I'll never go here again! Sat at our table for 30 minutes without any waiter or waitress coming to o
Après :     ['sit', 'table', 'minute', 'waiter', 'waitress', 'come', 'table', 'walk', 'leave', 'person']

Avant :     HORRIBLE!!!! The food is great but the servers (just a few) are the most arrogant people I have ever
Après :     ['food', 'server', 'people', 'see', 'life', 'man', 'serve', 'country', 'year', 'eat']

Avant :     I bought a groupon for a 4 person buffet and a $25 game card. The games are incredibly expensive. I'
Après :     ['buy', 'groupon', 'person', 'buffet', 'game', 'card', 'game', 'time', 'game', 'chuck_cheese']

Avant :     Everything is coated in a thin layer if dirt. The prices are high compared to some of the local comp
Après :     ['coat', 'layer', 'dirt', 'price', 'compare', 'competitor', 'staff', 'seem', 'answer_question', 'time']

Avant :     Lunch special:
My wife had the Sesame Chicken, I had the Cashew Chicken.  They did not have Almond C
Après :     ['lunch', 'wife', 'sesame', 'almond', 'chicken', 'menu', 'cashew', 'soup', 'pork', 'fry_rice']

Avant :     Read the good reviews but we were very disappointed.  Hot and sour soup had a funny taste/smell.  I 
Après :     ['read_review', 'disappoint', 'soup', 'taste', 'order', 'know', 'chicken', 'chewy', 'spit', 'husband']

Avant :     Well, as for me, there are no good Chinese restaurants on the east side of town. Once again, a high 
Après :     ['restaurant', 'side', 'town', 'restaurant', 'disappoint', 'order', 'egg', 'egg_roll', 'size', 'mind']

Avant :     If I could give zero I would. Gross, rude and awful! Table across from us found hair in soup and wai
Après :     ['give', 'table', 'find_hair', 'soup', 'waiter', 'laugh', 'food', 'come', 'sauce', 'make']

Avant :     Our first time dinning here was unfortunately our last time dinning here. The food looked good, smel
Après :     ['time', 'din', 'time', 'din', 'food', 'look', 'smell', 'order', 'make', 'taste']

Avant :     Worst food, service, and employees known to mankind. 

During prime dinner time, they'll staff the s
Après :     ['food', 'service', 'employee', 'know', 'dinner', 'time', 'staff', 'shit', 'outta', 'drive']

Avant :     This restaurant failed to proceed my order 2 times at took 15 minutes to make my food.
Après :     ['restaurant', 'fail', 'proceed', 'order', 'time', 'take', 'minute', 'make', 'food']

Avant :     The service still sucks and employee courtesy went down the toilet. I say this because I went throug
Après :     ['service', 'suck', 'employee', 'courtesy', 'say', 'drive', 'ice_cream', 'cone', 'share', 'say']

Avant :     Smh! First off the employee was  very dry spoken and the food was even worst!  I ordered some nachos
Après :     ['smh', 'employee', 'speak', 'food', 'order', 'potato', 'potato', 'disappoint']

Avant :     As a whole chain, I love Taco Bell's food. But... this service at this location is not good at all. 
Après :     ['chain', 'love', 'food', 'service', 'location', 'super', 'today', 'experience']

Avant :     I at least have to give this restaurant two stars due to the decent food. But while on a dinner meet
Après :     ['give', 'restaurant', 'star', 'food', 'dinner', 'meeting', 'spending', 'entree', 'appetizer', 'flag']

Avant :     Food was just about ok. Service very average and slow. Also, charging extra for something as simple 
Après :     ['food', 'service', 'average', 'charge', 'soy_sauce', 'bite', 'condiment', 'bar', 'staff']

Avant :     Truly not worth the wait. I've tried a couple dishes and nothing has been great- wouldn't really rec
Après :     ['wait', 'try', 'couple', 'dish', 'recommend', 'try', 'ambiance', 'food', 'item', 'fry']

Avant :     Waited 1.5 hours in the bar next door to eat at this overhyped egg factory. Not worth it what so eve
Après :     ['wait', 'hour', 'bar', 'door', 'eat', 'overhype', 'egg', 'factory', 'worth', 'hattie']

Avant :     Went to lunch at Tavern today 8/29/17 with three co-workers who had never been before on my recommen
Après :     ['lunch', 'tavern', 'today', 'worker', 'recommendation', 'mistake', 'part', 'tavern', 'visit', 'today']

Avant :     SUPER DISAPPOINTED...recommended by a friend, came here to have a drink and an appetizer with my boy
Après :     ['recommend', 'friend', 'come', 'drink', 'sit_bar', 'wait_minute', 'decide', 'walk', 'bar', 'seat']

Avant :     I usually love this place, but stopped in tonight to place a take out order, and the hostess shewed 
Après :     ['love', 'place', 'stop', 'tonight', 'place', 'take', 'order', 'hostess', 'shew', 'pack']

Avant :     We were scouting for a place to rent out for a company retreat dinner.  Unfortunately, they don't al
Après :     ['scout', 'place', 'rent', 'company', 'retreat', 'dinner', 'allow', 'dog', 'patio', 'dog']

Avant :     We normally love the tavern and eat here often. Cooks really are responsible for the customer experi
Après :     ['love', 'eat', 'cook', 'customer', 'experience', 'house', 'cook', 'kitchen', 'job', 'fix']

Avant :     Decided to try this place after our Airbnb host recommended it. Total miss! Way too overpriced for w
Après :     ['decide', 'try', 'place', 'host', 'recommend', 'way_overprice', 'order', 'guacamole', 'cauliflower', 'guacamole']

Avant :     PSA: Just go for the 2 for 1 drink special at brunch and white trash hash.  The atmosphere is trendy
Après :     ['psa', 'drink', 'brunch', 'trash', 'hash', 'atmosphere', 'wait', 'arrive', 'brunch', 'tell']

Avant :     Horrible service!  Restaurant was recommended so we decided to check it out.  First time in Nashvill
Après :     ['service', 'restaurant', 'recommend', 'decide', 'check', 'time', 'want', 'see', 'downtown', 'experience']

Avant :     Went on a friend's birthday for a birthday dinner and had a very bad experience. A very long wait de
Après :     ['friend', 'birthday', 'birthday', 'dinner', 'experience', 'wait', 'reservation', 'take', 'drink', 'bar']

Avant :     Terrible wait (unnecessary), average service, above average prices, and excruciating wait for food. 
Après :     ['wait', 'service', 'price', 'excruciating', 'wait', 'food', 'find', 'someplace', 'lot', 'choose']

Avant :     Drinks were strong! Guacamole and fries were excellent. Beef short rib tacos were like chewing on a 
Après :     ['drink', 'guacamole', 'fry', 'beef', 'chew', 'tire', 'sandwich', 'overcook', 'try', 'place']

Avant :     Came in for lunch while in Nashville in business. The waitress sold me on their Bloody Mary, so I or
Après :     ['come', 'lunch', 'nashville', 'business', 'waitress', 'sell', 'mary', 'order', 'lettuce_wrap', 'water']

Avant :     Y'all gave my Asian friend and my white friend some food poisoning from the Caesar salad. Thanks Oba
Après :     ['give', 'food_poison', 'thank', 'obama']

Avant :     We came here because of all the great yelp reviews, I can't believe this is 4-stars.. Good beer sele
Après :     ['come', 'yelp_review', 'believe', 'star', 'beer_selection', 'atmosphere', 'service', 'food', 'bla', 'want']

Avant :     Bartender needs to go back to bartenders and hospitality school. Would not let us share two for one 
Après :     ['bartender', 'need', 'bartender', 'hospitality', 'school', 'let', 'share', 'hr', 'drink', 'care']

Avant :     Food tastes good but not worth the price. Drinks are overpriced as well. $11.50 for a small Moscow m
Après :     ['food', 'taste', 'price', 'drink', 'overprice', 'vodka', 'grill_cheese', 'grill', 'chicken', 'skewer']

Avant :     We came here because of all the great yelp reviews, I can't believe this is 4-stars.. Good beer sele
Après :     ['come', 'yelp_review', 'believe', 'star', 'beer_selection', 'atmosphere', 'service', 'food', 'bla', 'want']

Avant :     This joint was recommended by a waiter who served us supper, said the red velvet waffles were to die
Après :     ['recommend', 'waiter', 'serve', 'supper', 'say', 'velvet', 'waffle', 'die', 'thought', 'totaly']

Avant :     Maybe they gave a great brunch? I had their burger for dinner it was not very good dry with little f
Après :     ['give', 'brunch', 'burger', 'dinner', 'flavor', 'fry', 'parking']

Avant :     I used to go to tavern pretty frequently over the past few years and was SHOCKED at the experience l
Après :     ['use', 'tavern', 'year', 'shock', 'experience', 'night', 'friend', 'order', 'toast', 'describe']

Avant :     Well, the concept seems cool....but, not great service.  The waitress forgot our drinks - we has fin
Après :     ['concept', 'seem', 'service', 'waitress', 'forgot', 'drink', 'finish', 'appetizer', 'arrive', 'cancel']

Avant :     It's cheap for the price; that's all that can be said. Had the beef burrito, chile rellano, beef tac
Après :     ['price', 'say', 'beef', 'beef', 'ground_beef', 'remind', 'school', 'lunch', 'cross', 'food']

Avant :     Was hoping for a spark of good mexican food in St.Louis and this was not the place to come to. Origi
Après :     ['hope', 'spark', 'place', 'come', 'come', 'food', 'chip_salsa', 'come', 'part', 'end']

Avant :     There's honestly nothing wrong with Famous Dave's and some people really like it... to me, it's not 
Après :     ['people', 'write_home', 'rehearsal', 'dinner', 'weekend', 'garbage', 'pail', 'lid', 'platter', 'brisket_pull']

Avant :     The best parts of this restaurant are the atmosphere, both in and out on their covered patio. Unfort
Après :     ['part', 'restaurant', 'atmosphere', 'cover', 'patio', 'distract', 'hide', 'piece', 'meat', 'entree']

Avant :     I like famous Dave's ribs - which comes with 2 sides.  I am only giving two stars because they are r
Après :     ['rib', 'come', 'side', 'give_star', 'side', 'side', 'come', 'dinner', 'portion', 'want']

Avant :     After three seperate dining experiences and complaining on the website and a comment card I received
Après :     ['dining_experience', 'complain', 'website', 'comment', 'card', 'receive_response', 'week', 'food', 'service', 'lack']

Avant :     We have been going to this restaurant since it opened and the one thing I can say is that it is not 
Après :     ['restaurant', 'open', 'thing', 'say', 'fire', 'grill', 'salad', 'use', 'night', 'service']

Avant :     I grew up in Westmont and have eaten here a few times but the last time was about 2 years ago and fo
Après :     ['grow', 'eat', 'time', 'time', 'year', 'reason', 'decide', 'crab_cake', 'thought', 'make']

Avant :     What happened Westmont Diner? Made a visit for dinner recently and I'm sad to say that everything wa
Après :     ['happen', 'diner', 'make', 'visit', 'dinner', 'say', 'waitress', 'cough', 'hand', 'food']

Avant :     I only go here if I'm in a total pinch - crunched for time and desperate for Italian food. I always 
Après :     ['pinch', 'crunch', 'time', 'food', 'find', 'food', 'flavor', 'sauce', 'chicken_parm', 'fan']

Avant :     I REALLY want to love Cafe Verdi but past three take out orders have been passable if nothing else. 
Après :     ['want', 'love', 'cafe', 'verdi', 'take', 'order', 'dish', 'gnocchi', 'time', 'portion']

Avant :     Crab Night... What a joke! 
We were looking forward to an all you could eat crab night all summer, s
Après :     ['night', 'joke', 'look', 'eat', 'crab', 'night', 'summer', 'excitement', 'restaurant', 'business']

Avant :     The hot roast beef was only room temperature and they gave us a piece of sharp provolone on the side
Après :     ['roast_beef', 'room_temperature', 'give', 'piece', 'side', 'send', 'warm', 'cheese_melt', 'open', 'sandwich']

Avant :     The pizza was good, however the restaurant was filthy including the bathrooms.  There was a dog in t
Après :     ['pizza', 'restaurant', 'include', 'bathroom', 'restaurant', 'service', 'dog', 'manager', 'blow', 'nose']

Avant :     Suddenly it's much less clean, well stocked and the pasta is over cooked.  Last month the soda machi
Après :     ['stock', 'pasta', 'cook', 'month', 'soda_machine', 'mold', 'nozzle', 'today', 'enjoy', 'eat']

Avant :     Worst dominos experience. Placed an order that said it would be delivered in 15-30 minutes. 30 minut
Après :     ['dominos', 'experience', 'place', 'order', 'say', 'deliver', 'minute', 'minute', 'order', 'place']

Avant :     Been over an hour and still no delivery. Called them and they said they already came by. Clearly the
Après :     ['hour', 'delivery', 'call', 'say', 'come', 'try']

Avant :     This place moved locations and when I placed a call in order the guy on the phone didn't even tell m
Après :     ['place', 'move', 'location', 'place', 'call', 'order', 'guy', 'phone', 'tell', 'give']

Avant :     The food is very good. The service is a little lacking. The atmosphere is definitely very homey as i
Après :     ['food', 'service', 'lack', 'atmosphere', 'house', 'pay', 'glass', 'ice_tea', 'pay', 'refill']

Avant :     Ordered dinner for 4 - delivered to Brentwood. The order was complete and delivered quickly but the 
Après :     ['order', 'dinner', 'deliver', 'brentwood', 'order', 'complete', 'deliver', 'food', 'sub', 'taste']

Avant :     If I was only rating on my dish it would be one star for me. I am doing a round of whole 30 and want
Après :     ['rating', 'dish', 'star', 'round', 'whole', 'want', 'give', 'place', 'shoot', 'ask']

Avant :     Ordered the power bowl salad and the chicken was cold and dry. Also the greens were so salty I had t
Après :     ['order', 'power', 'bowl', 'salad', 'chicken', 'green', 'ask', 'salad', 'san', 'salt']

Avant :     Horrible buffet, they don't have enough toppings.. you have to wait for the pizza.. not recommend it
Après :     ['buffet', 'topping', 'wait', 'pizza', 'recommend', 'lunch']

Avant :     Not good. The actively disengaged staff made it a point to tell me how long each thing I ordered wou
Après :     ['disengage', 'staff', 'make', 'point', 'tell', 'thing', 'order', 'take', 'effort', 'cook']

Avant :     Horrible service.  They didn't give us almost half of our order, and when we asked for it, there was
Après :     ['service', 'give', 'order', 'ask', 'apology', 'hurry', 'one', 'line', 'wait_minute', 'order']

Avant :     In the store right now. There is a blue Malibu parked in the drive lane.  Not in a spot, just in the
Après :     ['store', 'malibu', 'park', 'drive', 'spot', 'lane', 'girl', 'eat', 'like', 'finger']

Avant :     Honestly haven't left a place more disappointed in my life. The service was terrible from the start.
Après :     ['leave', 'place', 'life', 'service', 'start', 'server', 'rude', 'seem', 'hungover', 'waiting']

Avant :     "I'll get to you when I can"-- Not the best way to greet paying customers. If it was actually busy I
Après :     ['way', 'greet', 'pay', 'customer', 'understand', 'server', 'frustration', 'afternoon', 'pour', 'beer']

Avant :     to many changes to an awesome place has made bottle works a thing of the past for me.  removing favo
Après :     ['change', 'place', 'make', 'bottle', 'work', 'thing', 'remove', 'favorite', 'menu', 'raise_price']

Avant :     A group of us recently stopped n for dinner. While we were seated right away it took 15 minutes to p
Après :     ['group', 'stop', 'dinner', 'seat', 'take', 'minute', 'place', 'drink', 'order', 'beer']

Avant :     Even the beer tastes better at the tap room.. Of you want a true schlafly experience head downtown t
Après :     ['beer', 'taste', 'tap', 'room', 'want', 'schlafly', 'experience', 'head', 'downtown', 'tap']

Avant :     Sunday not so fun day at Schlafly. Came in, cool music live outside. Go inside to grab a bite and dr
Après :     ['schlafly', 'come', 'music', 'live', 'grab', 'bite', 'drink', 'sit', 'minute', 'server']

Avant :     The service was good.  The beer was warm.  The food was not good.  Given the other reviews, I'm hope
Après :     ['service', 'beer', 'food', 'give', 'review', 'experience', 'trouble', 'find', 'menu', 'return']

Avant :     The food is decent if overpriced, the beer acceptable, the customer service varies. I enjoy the live
Après :     ['food', 'overprice', 'beer', 'customer_service', 'varie', 'enjoy', 'music', 'opinion', 'need', 'variety']

Avant :     Well we were planning on eating here on Saturday night but after being seated for a good 20 minutes 
Après :     ['plan', 'eat', 'night', 'seat', 'minute', 'acknowledgement', 'leave', 'service', 'check', 'server']

Avant :     We had a pick up order for lunch and the service at the pick up counter was great. She checked and m
Après :     ['pick', 'order', 'lunch', 'service', 'pick', 'check', 'make', 'food', 'add', 'silverware']

Avant :     I really liked the oatmeal stout, the ambiance, activity. We were there celebrating my wife's birthd
Après :     ['like', 'ambiance', 'activity', 'celebrate', 'wife', 'birthday', 'friend', 'folk', 'order', 'food']

Avant :     I've never quite understood the appeal of this place. When I moved to Maplewood, everyone told me ho
Après :     ['understand', 'appeal', 'place', 'move', 'maplewood', 'tell', 'schlafly', 'excite', 'place', 'time']

Avant :     my son and I went 11.12.16 and the food I ordered was not good at all. for the price it was even wor
Après :     ['food', 'order', 'price', 'order', 'rib', 'tip', 'chicken_tender', 'flavor', 'steak', 'finger']

Avant :     The only Culver's in the country without a veggie patty. Ridiculous. I shan't ever stop at that loca
Après :     ['culver', 'country', 'ridiculous', 'stop', 'location', 'give_star']

Avant :     Bland food
Need a new recipe for the chicken 
Smh just nasty 
The prices are reasonable but good lor
Après :     ['food', 'need', 'recipe', 'chicken', 'smh', 'price', 'need', 'recipe']

Avant :     I was here before once. Didn't have much of an impression. I went back again this week with my frien
Après :     ['impression', 'week', 'friend', 'disappoint', 'order', 'grill', 'fish', 'come', 'pot', 'vegetable']

Avant :     the service is soooooooooooooooooooooooo slow .AND there will be terrible songs singing when you eat
Après :     ['service', 'song', 'singe', 'eat']

Avant :     I wish I could give this zero stars, this gave my husband and kid a really really bad stomach ache a
Après :     ['wish', 'give_star', 'give', 'husband', 'kid', 'stomach', 'ache', 'eat', 'use', 'restaurant']

Avant :     Had the worst experience I've had at a restaurant in a while here. Ordered take out and waited over 
Après :     ['experience', 'restaurant', 'order', 'take', 'wait', 'hour', 'minute', 'food', 'breakfast', 'sandwich']

Avant :     Came here on a Sunday at 1:30 pm, and was greeted by a closed sign and an employee shaking their hea
Après :     ['come', 'greet', 'sign', 'employee', 'shake', 'head', 'advertise', 'serve', 'brunch', 'pm']

Avant :     I'm from LA and this restaurant just wasn't up to par with other breakfast places I've been to. The 
Après :     ['restaurant', 'par', 'breakfast', 'place', 'service', 'tend', 'serve', 'family', 'wait', 'hour']

Avant :     Very disappointed! Must have changed owners; waited 2 hours for delivery! Different delivery man; fo
Après :     ['change', 'owner', 'wait', 'hour', 'delivery', 'delivery', 'man', 'food', 'rice', 'cook']

Avant :     I do not know where these other reviewers ate. It was not here. When we first walked in, it was only
Après :     ['know', 'reviewer', 'eat', 'walk', 'degree', 'heat', 'person', 'work', 'soda_machine', 'work']

Avant :     Usually our go to for shakes and dinner in a hurry. Tonight the service was extra slow and unfriendl
Après :     ['shake', 'dinner', 'hurry', 'tonight', 'service', 'wait_minute', 'dinner', 'screen', 'change', 'indicate']

Avant :     If I could. I'd give no stars. For them to take so long you'd think food was fresh. No. Not at all. 
Après :     ['give_star', 'take', 'think', 'food']

Avant :     I was a little disappointed in Tim Horton's.  This review is for the doughnuts only.  They do have b
Après :     ['doughnut', 'breakfast', 'lunch', 'sandwich', 'locate', 'cortex', 'area', 'weekend', 'parking', 'problem']

Avant :     Do not do it unless you just want to drink. We had the hummus platter. It was ok at best. Then for t
Après :     ['want', 'drink', 'gross', 'send', 'order', 'take_bite', 'ask', 'check', 'heck', 'cross']

Avant :     You've got to be kidding with the draft beer prices. Definitely over priced. I have to expand my rev
Après :     ['kid', 'draft_beer', 'price', 'price', 'expand', 'review', 'think']

Avant :     Came here a few times, the food is good but the service is horrible. I know I shouldn't expect much 
Après :     ['come', 'time', 'food', 'service', 'know', 'expect', 'food', 'teenager', 'turn', 'attitude']

Avant :     Popeyes is always decent.  But, don't bother with coupons or the Popeyes app at this location.  Went
Après :     ['popeye', 'bother', 'coupon', 'location', 'use', 'popeyes', 'coupon', 'tell', 'print', 'print']

Avant :     Real bad attitude. Ignorant. I will not be back and will let others know.
Après :     ['attitude', 'let_know']

Avant :     The exhaust fan is non-existent.  You will smell like the place for days.
Food is OK, but over-price
Après :     ['smell', 'place', 'day', 'food', 'price']

Avant :     Very good at keeping the coffee filled. Only 1 or 2 people are allowed to take orders (and get tips)
Après :     ['keep', 'coffee', 'fill', 'people', 'allow', 'take', 'order', 'tip', 'decide', 'give']

Avant :     It was okay.  We had gyros.  I have had better.  I doubt we will be going back.  But, it was clean a
Après :     ['gyro', 'staff']

Avant :     G i'm only getting two stars because I've been there in the past and the food has been good. I order
Après :     ['star', 'food', 'order', 'pick', 'roast', 'flatbread', 'autumn', 'soup', 'know', 'happen']

Avant :     GHETTO AS HELL!!! The cook was out side playing and running from the back of the store to the front 
Après :     ['ghetto', 'hell', 'cook', 'side', 'play', 'run', 'store', 'store', 'flour', 'shirt']

Avant :     Food was tasteless and bland. Biscuits and gravy were the worst ever. Maybe it was an off day for th
Après :     ['food', 'bland', 'biscuit_gravy', 'day', 'cook', 'seasoning', 'way', 'food', 'thing']

Avant :     Horrible dinner consisting of dry, tasteless meatloaf.  Was very disappointed because I have read se
Après :     ['dinner', 'consist', 'meatloaf', 'disappoint', 'read_review', 'plan', 'breakfast', 'day', 'dinner', 'decide']

Avant :     I went for breakfast last Saturday. Hubs ordered the meat omelette with American cheese. He said it 
Après :     ['breakfast', 'order', 'meat', 'omelette', 'say', 'meh', 'order', 'egg_benedict', 'egg', 'mean']

Avant :     Sucks! Horrible place. I asked for finely chopped broccoli and the idiot blue haired waitress brings
Après :     ['suck', 'place', 'ask', 'chop', 'broccoli', 'waitress', 'bring', 'cook', 'say', 'chop']

Avant :     I'm really surprised by all the great reviews. That's what made me want to try this place out. The s
Après :     ['surprise', 'review', 'make', 'want', 'try', 'place', 'service', 'food', 'order', 'country']

Avant :     Came here during the evening. The food was mediocre at best...very over cooked  meat...they ran out 
Après :     ['come', 'evening', 'food', 'cook', 'meat', 'run', 'side', 'food', 'service', 'walk']

Avant :     Would like to rate this place, but super bad attitude and harried waitress got upset because she had
Après :     ['like', 'rate', 'place', 'attitude', 'harry', 'waitress', 'wipe', 'table', 'customer', 'guess']

Avant :     This place is disgusting. I found two dead bug's in my Caesar salad and when I pointed it out to the
Après :     ['place', 'find', 'bug', 'salad', 'manager', 'response', 'try', 'make', 'dish', 'understand']

Avant :     Food was good and salsa great. However we did not appreciate a cold Quesadilla that was taken back t
Après :     ['food', 'salsa', 'appreciate', 'quesadilla', 'take', 'kitchen', 'place', 'waiter', 'take', 'time']

Avant :     As a very close and frequent local, I was disappointed when we walked in the door and the first thin
Après :     ['walk_door', 'thing', 'host', 'say', 'minute', 'ask', 'kitchen', 'say', 'pm', 'time']

Avant :     Very slow.. if you on your lunch brake you might have to consider to go someplace else.
Après :     ['lunch', 'brake', 'consider', 'someplace']

Avant :     TASTELESS is how I describe our takeout meal today. We were so disappointed in our meal. I don't und
Après :     ['describe', 'takeout', 'meal', 'today', 'meal', 'understand', 'make', 'bean', 'slaw', 'cheese']

Avant :     I was realllly excited for this place to open. I walked by day after day waiting for when I'd be abl
Après :     ['excite', 'place', 'walk', 'day', 'day', 'wait', 'try', 'soup', 'salad', 'sandwich']

Avant :     Stopped in her for lunch the other day and was not impressed.  Came in with expectations of getting 
Après :     ['stop_lunch', 'day', 'impress', 'come', 'expectation', 'salad', 'month', 'kid', 'option', 'understand']

Avant :     the blt had great bacon on it and it was good but the sandwhich by itself with no sides or drink was
Après :     ['blt', 'bacon', 'side', 'drink', 'dollar', 'people', 'buss', 'table', 'water', 'break']

Avant :     I came here on my first morning in Boise because I read a lot of good things about it. I was pretty 
Après :     ['come', 'morning', 'boise', 'read', 'lot', 'thing', 'disappointment', 'start', 'cashier', 'take']

Avant :     There was no soy sauce in my order. Barely any ponzu sauce and the tuna and salmon were sliced in co
Après :     ['soy_sauce', 'order', 'ponzu', 'sauce', 'salmon', 'slice', 'disappoint', 'slice', 'fish', 'cube']

Avant :     Let me start off by saying that this place is the Chipotle of sushi.  Came here when they first open
Après :     ['let_start', 'say', 'place', 'come', 'open', 'food', 'come', 'notice', 'quality', 'food']

Avant :     I've ordered from uber eats with them before and had great service.  Today I ordered and they delive
Après :     ['order', 'uber_eat', 'service', 'today', 'order', 'deliver', 'order', 'rice', 'pay', 'delivery']

Avant :     Portions are extremely small - containers are teeny as well making it difficult to eat. I'm at a pok
Après :     ['portion', 'container', 'teeny', 'make', 'eat', 'know', 'believe', 'difference', 'portion', 'pricing']

Avant :     Service and management terrible... After messing up all 4 of our orders the waiter got mad and start
Après :     ['service', 'management', 'mess', 'order', 'waiter', 'start', 'curse', 'manager', 'offer', 'drink']

Avant :     its closed! Health Department violations.  Does not look like it's going to reopen.
Gone-Goodbye
Après :     ['close', 'health', 'department', 'violation', 'look', 'goodbye']

Avant :     This place has deteriorated so quickly .
When was initially opened as Flying Fish Crafthouse. It was
Après :     ['place', 'deteriorate', 'open', 'fly', 'fish', 'crafthouse', 'menu', 'staff', 'seem', 'reason']

Avant :     A very poor example of a local Philadelphia bar. We thought there was hope then the owner said they 
Après :     ['example', 'bar', 'think', 'hope', 'owner', 'say', 'pm', 'celebration', 'eagle', 'bowl']

Avant :     I stopped in with a few co workers on our lunch break... The service was terrible and the food wasn'
Après :     ['stop_lunch', 'break', 'service', 'food', 'take', 'way', 'coworker', 'ask', 'place', 'stop_lunch']

Avant :     Did not care for the food, service was mediocre, and parking was dismal.
Après :     ['care', 'food', 'service', 'parking', 'dismal']

Avant :     I'be been to this place twice now and I'm so unimpressed. My first visit I ordered shrimp taco, the 
Après :     ['place', 'visit', 'order', 'burn', 'order', 'strawberry', 'rock', 'overload', 'mix', 'visit']

Avant :     First off I thought I would try the place for dinner... Big mistake they have parking for about 4 ca
Après :     ['thought', 'try', 'place', 'dinner', 'mistake', 'parking', 'car', 'park', 'thought', 'park']

Avant :     I have been there three times now. Service is not good. Portions are as small as I have ever seen. T
Après :     ['time', 'service', 'portion', 'see', 'taco', 'think', 'come', 'check', 'loren', 'menu']

Avant :     Went last night since we live nearby. Salsa was really good with lots of cilantro, just as I like it
Après :     ['night', 'salsa', 'lot', 'chip', 'greasy', 'order', 'chicken', 'fajita', 'chicken', 'rice']

Avant :     Deserves zero stars. Tastiest items on the menu are the french fries served with the kids tacos.
Après :     ['deserve_star', 'item', 'menu', 'fry', 'serve', 'kid', 'taco']

Avant :     I really wanted to like this place, although it was just odd. No one seemed to know if they were our
Après :     ['want', 'place', 'seem', 'server', 'order', 'cheese', 'dip', 'version', 'elote', 'mess']

Avant :     Chips were greasy and not very good. Margaritas were a little watery. The crunchy tacos I had were g
Après :     ['greasy', 'margarita', 'taco', 'service', 'experience', 'return', 'park', 'nightmare', 'help']

Avant :     Mediocre.  
We had a taste of a few things.  Thought we couldn't go wrong with having 4 stars.  
Que
Après :     ['taste', 'thing', 'think', 'star', 'queso', 'chip', 'chip', 'flavor', 'chewy', 'tortilla']

Avant :     Ordered my food online drove 20 min. To go pick it up and didn't get the whole order.  When I called
Après :     ['order', 'food', 'drive', 'pick', 'order', 'call', 'let_know', 'say', 'kitchen', 'fault']

Avant :     Went here to start the night right we thought. We sat down and ordered a margarita which was actuall
Après :     ['night', 'thought', 'sit', 'order', 'chip_salsa', 'order', 'savory', 'pork', 'taste', 'flavor']

Avant :     I love the atmosphere, but the tacos are so damn greasy.  Our order takes forever.  This time the gr
Après :     ['love', 'order', 'take', 'time', 'grease', 'way']

Avant :     Worst service ever.  Won't be back.  Cooked sushi was over cooked and dry.  Waiter took our order an
Après :     ['service', 'cook', 'cook', 'waiter', 'take', 'order', 'put', 'attention', 'ask']

Avant :     Very disappointed. Deceived when placing table and the staff is very blunt and short. Menu is not co
Après :     ['deceive', 'place', 'table', 'staff', 'blunt', 'menu', 'complicate', 'finish', 'eat', 'portion']

Avant :     Not good..very sick the next ..tried again ...sick ahain..too dark..in there what is going on
Après :     ['try', 'ahain', 'dark']

Avant :     The  place is so dark hard to see the menu to start off with. The food is fair not really all the ta
Après :     ['place', 'see', 'menu', 'start', 'food', 'waiterss', 'bit', 'place']

Avant :     The food/price  is pretty decent. The service on the other hand is ridiculous. I have been in 3 time
Après :     ['food', 'price', 'service', 'hand', 'time', 'time', 'find', 'playing', 'staff', 'someplace']

Avant :     This was a "one and done" for us. The sushi is not fresh, doesn't taste good at all. The place looks
Après :     ['one', 'taste', 'place', 'look', 'quality', 'food', 'buffet', 'sit', 'hour', 'leave']

Avant :     Ok going into this review, know hat I have never liked their beer.  For some reason it does not tast
Après :     ['review', 'know', 'like', 'beer', 'reason', 'taste', 'know', 'walk', 'want', 'give']

Avant :     The seasonal vegetables right now is the carrot. I'm sure there are multiple carrots involved in mak
Après :     ['vegetable', 'carrot', 'carrot', 'involve', 'make', 'dish', 'plurality', 'look', 'beer', 'flight']

Avant :     The woman on the phone should've been the first sign to hang up and order somewhere -- ANYWHERE -- e
Après :     ['woman', 'phone', 'hang', 'order', 'suggestion', 'consider', 'review', 'consider', 'restaurant', 'pizza']

Avant :     Let me please give this joint an up to date review. Rip offs, bad orders, and rotten food. Need I sa
Après :     ['let', 'give', 'date', 'review', 'rip', 'order', 'food', 'say']

Avant :     Coming from the Northeast Coast of the US (NYC Metro Area) I have been blessed with an abundance in 
Après :     ['come', 'coast', 'bless', 'abundance', 'option', 'come', 'deli', 'sub', 'shop', 'say']

Avant :     Yikes! What's going on with this place?! I've been a regular patron for a few years, usually getting
Après :     ['yike', 'place', 'patron', 'year', 'sub', 'chip', 'drink', 'couple_week', 'bill', 'seem']

Avant :     I wish I could give this place no stars. Seriously. If is 2:30am and nothing else is open, just wait
Après :     ['wish', 'give', 'place', 'star', 'wait', 'breakfast', 'morning', 'order', 'row', 'wrong']

Avant :     Horrible service. When calling to place our order the person on the phone answered in the middle of 
Après :     ['service', 'call', 'place', 'order', 'person', 'phone', 'answer', 'cursing', 'pick', 'order']

Avant :     After running errands all morning, I did not feel like cooking & remember seeing if you order online
Après :     ['run', 'errand', 'morning', 'feel', 'cooking', 'remember', 'see', 'order', 'pizza', 'half']

Avant :     Ordered a pizza here and when received it looked as if the toppings were thrown on as the pizza was 
Après :     ['order', 'pizza', 'receive', 'look', 'topping', 'throw', 'pizza', 'throne', 'box', 'taste']

Avant :     The saddest part of this review is that I used to like Axis and frequent it all of the time but my l
Après :     ['part', 'review', 'use', 'time', 'experience', 'tell', 'order', 'chicken_finger', 'ask', 'side']

Avant :     I ordered two chicken Caesar salads and I'm literary waiting about two hours for it to arrive not a 
Après :     ['order', 'salad', 'waiting_hour', 'arrive', 'phone', 'call', 'check', 'fuck', 'axis', 'pizza']

Avant :     It's a place that microwave ovens your food for you. Food is meh at best and way overpriced for what
Après :     ['place', 'microwave', 'oven', 'food', 'food', 'meh', 'way_overprice', 'word', 'steer']

Avant :     still lagging in terms of delivery and service , the food is good if you eat in only.
Après :     ['lag', 'term', 'delivery', 'service', 'food', 'eat']

Avant :     Food is good, however if your attitude stinks I refuse to give you a good review. We've been here be
Après :     ['food', 'attitude', 'stink', 'refuse', 'give', 'review', 'visit', 'decide', 'drive', 'greet']

Avant :     food is good but the bald head guy with the beard is the most miserable cockiest person i ever delt 
Après :     ['food', 'head', 'guy', 'person', 'business', 'handle', 'money', 'food', 'time']

Avant :     I love this place... I wanted it all week but they close @ 5.... When I got there it was a family th
Après :     ['love', 'place', 'want', 'week', 'family', 'gentleman', 'take', 'order', 'drink', 'mustache']

Avant :     No Chinese restaurant around here is great, but this is better than most. They charge for water! The
Après :     ['restaurant', 'charge', 'water', 'restaurant', 'charge', 'water', 'place', 'crab_rangoon', 'fry', 'dumpling']

Avant :     Awful! Food was not up to temp at all. Some of the items on the salad bar were not fresh at all. The
Après :     ['food', 'temp', 'item', 'salad', 'bar', 'pineapple', 'instance', 'yellow', 'buffet', 'vegetarian']

Avant :     Called ahead before we went. Lady on the phone said 3 and under free. Food was bad and not very much
Après :     ['call', 'lady', 'phone', 'say', 'food', 'pay', 'sign', 'say']

Avant :     Every time I go there the service is terrible nd today they didn't have anything except pulled port.
Après :     ['time', 'service', 'nd', 'today', 'pull', 'port', 'service', 'management']

Avant :     Food was a bit greasy for my taste. The grilled cheese tasted like it was cooked in pure butter. Fri
Après :     ['food', 'bit', 'taste', 'grill_cheese', 'taste', 'cook', 'butter', 'fry', 'mind', 'grease']

Avant :     Zero stars, this place is a train wreck. Not enough waiters and the food is terrible. Will be gone i
Après :     ['star', 'place', 'train', 'wreck', 'waiter', 'food', 'couple_month', 'rip', 'bagger', 'fail']

Avant :     The food was marginal at best. My regular size build your own burger did not live up to the $5.19 pr
Après :     ['food', 'size', 'build', 'burger', 'live', 'price_tag', 'flavor', 'topping', 'uninspire', 'fry']

Avant :     In short, this place would not come recommended from either of us. It is a sit down burger place tha
Après :     ['place', 'come', 'recommend', 'sit', 'serve', 'sub_par', 'burger', 'rate', 'bagger', 'work']

Avant :     Lunch.
Burger was just ok.
I made the mistake of having too many toppings. I could barely taste the 
Après :     ['lunch', 'burger', 'make_mistake', 'topping', 'taste', 'ounce', 'ounce', 'fry', 'bit', 'piece']

Avant :     Freakin horrible!!!!! So pissed I drove all the way up here with my family and wasted my money!! Eve
Après :     ['drive', 'way', 'family', 'waste_money', 'mean', 'taste', 'shit', 'service', 'price', 'portion']

Avant :     Meh. Thats really all I have to say about this place. Food was OK, service was awful. The bartenders
Après :     ['meh', 'say', 'place', 'food', 'service', 'bartender', 'concern', 'texte', 'laugh', 'friend']

Avant :     Last night I paid 50 bucks for me and my girlfriend to go to a show. They sold so many tickets, it w
Après :     ['night', 'pay', 'buck', 'girlfriend', 'show', 'sell', 'ticket', 'fire', 'code_violation', 'try']

Avant :     Things have changed here. Especially since the brains behind their establishment quit last year. The
Après :     ['thing', 'change', 'brain', 'establishment', 'quit', 'year', 'girl', 'book', 'organizing', 'run']

Avant :     I'm taking a star away from 12th and Porter. Last night it was hotter than the 2nd layer of Hell and
Après :     ['take', 'star', 'porter', 'night', 'layer', 'hell', 'bartender', 'texte', 'bother', 'drink']

Avant :     The band was good, but it was my first visit to this venue and I did will-call for the tickets.  I w
Après :     ['band', 'visit', 'venue', 'call', 'ticket', 'disorganize', 'miss', 'opening', 'band', 'wait']

Avant :     点了四个菜 没一个好吃的 不适合中国人吃

口水鸡鸡肉不新鲜
毛血旺的大肠好油
酸豆角炒肉沫做的超级咸
松鼠鱼中规中矩,但卖27块钱也不便宜

总的来说就是又油又咸,吃完了以后要不停喝水。
Après :     ['总的来说就是又油又咸', '吃完了以后要不停喝水']

Avant :     The closing and opening timings are off in Yelp... closing time is not 10 pm. The chef goes home at 
Après :     ['close', 'opening', 'timing', 'yelp', 'closing_time', 'chef', 'pm', 'travel', 'north', 'reach']

Avant :     Didn't care for atmosphere or food at all, mom n SIS food was okay. I like spicy food but my dish wa
Après :     ['care', 'atmosphere', 'food', 'mom', 'sis', 'food', 'food', 'dish', 'wayyyyy', 'curd']

Avant :     it was a bad dining experience i ever had...
first of all, it was 80 degree, they turn off the AC af
Après :     ['dining_experience', 'degree', 'turn', 'abound', 'hrs', 'sit', 'chicken', 'use', 'order', 'everytime']

Avant :     Have been here before and went downhill bad. Flies inside. Air conditioner vents were filthy. Spring
Après :     ['fly', 'air', 'conditioner', 'vent', 'spring_roll', 'come', 'freeze', 'order', 'boil', 'dumpling']

Avant :     Not sure why so many raves.
The place is so dingy and needs a good cleaning.
They do offer many auth
Après :     ['rave', 'place', 'need_cleaning', 'offer', 'dish', 'duck', 'tongue', 'frog', 'peke', 'duck']

Avant :     Horrible service .... Being short staffed is no excuse .... Ordered appetizer of wings (they had run
Après :     ['service', 'staff', 'excuse', 'order', 'appetizer', 'wing', 'run', 'wait_minute', 'potato_skin', 'table']

Avant :     My brother and I went there and thought we had found "the" place to go.  All the employees were talk
Après :     ['think', 'find', 'place', 'employee', 'talk', 'customer', 'find', 'regular', 'know', 'stop']

Avant :     Wanted to purchase another Happy Meal toy for my daughter.  Wasn't allowed.  McDonalds let you do it
Après :     ['want', 'purchase', 'meal', 'toy', 'daughter', 'allow', 'mcdonald', 'let', 'say', 'place']

Avant :     This place honestly was a disappointment! Very thin cuts of meat for the price compared to other pla
Après :     ['place', 'cut', 'meat', 'price', 'compare', 'place', 'food', 'come', 'stone', 'pot']

Avant :     Food is ok, probably 3 stars out of 5. However, service is horrible. They have no basic manner. We c
Après :     ['food', 'star', 'service', 'manner', 'come', 'lunch', 'hour_half', 'restaurant', 'ask', 'wait']

Avant :     yeah i wasn't that impressed the last time    i went ,   i been to this one  4  times and the  last 
Après :     ['time', 'time', 'choose', 'place']

Avant :     Okay so my sister and I went here. They didn't give me a lid for my takeout..the waitress only showe
Après :     ['sister', 'give', 'lid', 'takeout', 'waitress', 'show', 'know', 'use', 'credit_card', 'machine']

Avant :     What happened to this place? It went from a smooth personal experience to what it is today. The port
Après :     ['happen', 'place', 'experience', 'today', 'portion', 'staff', 'mess', 'food', 'taste', 'service']

Avant :     Overall quality of food and taste were reasonably good. Conveniently located, price is acceptable.


Après :     ['quality', 'food', 'taste', 'locate', 'price', 'disappointment', 'unfriendliness', 'service', 'visit', 'night']

Avant :     Was headed to the Asian Market earlier today and as many times as I've been I always said I wanted t
Après :     ['head', 'market', 'today', 'time', 'say', 'want', 'try', 'beawon', 'wife', 'look']

Avant :     When I went there the restaurant was nearly empty and was an hour for closing. I ordered some simple
Après :     ['restaurant', 'hour', 'closing', 'order', 'dish', 'cook', 'food', 'take', 'minute', 'come']

Avant :     The manager was so rude to my mother and kept having a go at her even though my mum told the lady sh
Après :     ['mother', 'keep', 'tell', 'want', 'talk', 'mum', 'order', 'food', 'phone', 'manager']

Avant :     Disorganized service for large parties... food was cold the place was cold... food had no flavor... 
Après :     ['service', 'party', 'food', 'place', 'food', 'flavor', 'shrimp', 'cook', 'rubbery', 'portion']

Avant :     Ordered the $50 sashimi platter.
Soy sauce didn't taste like soy sauce (was it watered down?)
Shaved
Après :     ['order', 'soy_sauce', 'taste', 'soy_sauce', 'water', 'shave', 'radish', 'taste', 'fish', 'soy_sauce']

Avant :     Service once again rises up to make my decision as to whether I will be back to an establishment.  A
Après :     ['service', 'rise', 'make_decision', 'establishment', 'minute', 'wait', 'wait', 'rush', 'area', 'construction']

Avant :     We were not impressed. The eight dollar guacamole that had crema or sour cream added was not good. I
Après :     ['impress', 'dollar', 'guacamole', 'crema', 'cream', 'add', 'fish', 'taste', 'good', 'dish']

Avant :     The owners closed the restaurant and moved to Florida. We now need someone to open a good pizza plac
Après :     ['owner', 'close', 'restaurant', 'move', 'need', 'open', 'pizza', 'place', 'ville']

Avant :     Wings were small and burnt. Not very tasty at all! Too many people and very young crowd.
Après :     ['wing', 'burn', 'people', 'crowd']

Avant :     They suck their staff are super roud and they don't respect customers. They know their service only 
Après :     ['staff', 'respect', 'customer', 'know', 'service', 'come', 'college_kid', 'know', 'keep', 'standard']

Avant :     We came here on a Tuesday night. Not busy at all. My boyfriend went to the bar to get a vodka Red Bu
Après :     ['come', 'night', 'boyfriend', 'bar', 'vodka', 'bull', 'pour', 'vodka', 'pour', 'energy']

Avant :     Damn. If I could give zero stars I would. TERRIBLE. I order one slide of pizza and it was still cold
Après :     ['give_star', 'order', 'slide', 'pizza', 'music', 'bartender', 'lean', 'counter', 'hear', 'order']

Avant :     The food was good but towards the ends my family and I were splitting the bill and they charged my f
Après :     ['food', 'end', 'family', 'splitting', 'bill', 'charge', 'family', 'amount', 'run', 'credit_card']

Avant :     The reason this place got two stars was for the server that's running around serving 40 people on he
Après :     ['reason', 'place', 'star', 'server', 'run', 'serve', 'people', 'place', 'help', 'clean']

Avant :     Just had the Thai rice bowl. This is a dish of 90% white sticky rice and 10% of fried chicken chunks
Après :     ['rice', 'rice', 'fry', 'chicken', 'chunk', 'broccoli', 'pay', 'way', 'rice', 'meat']

Avant :     I love chicken fingers and those were a disappointment. The fries were soggy and not the best tastin
Après :     ['love', 'chicken_finger', 'disappointment', 'fry_soggy', 'taste', 'customer_service', 'cleanliness', 'try', 'order']

Avant :     great service. first time to go to any red lobster so my expectations were high. the biscuits were t
Après :     ['service', 'time', 'biscuit', 'mussel', 'appetizer', 'taste', 'salt', 'lobster', 'bake', 'mistake']

Avant :     always a good hit for seafood but it always smells like sewage inside when one first enters 1 star f
Après :     ['hit', 'seafood', 'smell', 'sewage', 'enter', 'food', 'mgmt', 'deal', 'odor', 'entrance']

Avant :     I will never come back to this location.  My friend and I waited for 50 mins for food and when I say
Après :     ['come', 'location', 'friend', 'wait_min', 'food', 'say', 'food', 'mean', 'believe', 'take']

Avant :     I went last night with 2 friends and in short we were underwhelmed. We all were really excited to tr
Après :     ['night', 'friend', 'underwhelme', 'try', 'place', 'leave', 'feel', 'cocktail', 'selection', 'quality']

Avant :     The food is great. A good variety and very tasteful. I can't say the same about the staff. Rude not 
Après :     ['food', 'variety', 'say', 'staff_rude', 'reception', 'pass', 'enjoy', 'delicia']

Avant :     Unbelievably loud, and freezing cold.
Not a place to talk to friends, food was average, and not at a
Après :     ['freeze', 'place', 'talk', 'friend', 'food', 'service', 'poor']

Avant :     The place seems was popular based on the crowd  Saturday night.  I can only surmise there is a lack 
Après :     ['place', 'seem', 'base', 'crowd', 'night', 'lack', 'food', 'indy', 'food', 'strip']

Avant :     Went to Delicia to celebrate our Granddaughters 23 rd Birthday.
The food was great and good service 
Après :     ['delicia', 'celebrate', 'granddaughter', 'rd', 'birthday', 'food', 'service', 'bring', 'decorate', 'birthday']

Avant :     Food is just mediocre- dry/bland. Cocktails are something special though. However, not sure when I'l
Après :     ['food', 'bland', 'cocktail', 'time', 'try', 'restaurant', 'hostess', 'tell', 'bar', 'table']

Avant :     Went here with my friends and I had a horrible experience. I asked for a hookah menu and apparently 
Après :     ['friend', 'experience', 'ask', 'menu', 'exist', 'owner', 'unwelcoming', 'pay', 'people', 'accept']

Avant :     I quite agree with most of the reviews posted here about the owner of this terrible place. I feel th
Après :     ['review', 'post', 'owner', 'place', 'feel', 'owner', 'weed', 'racist', 'surprise', 'sue']

Avant :     shittest hookah in americaaaaaaaaaa do not go it is ass. the guy is a asshole and they only take cas
Après :     ['guy', 'take', 'cash', 'suck']

Avant :     WORST HOOKAH BAR EVER!!!! If you have smoked good hookah you know this isn't it. Our hookah tasted b
Après :     ['bar', 'smoke', 'hookah', 'know', 'hookah', 'taste', 'burn', 'make', 'suspect', 'hookah']

Avant :     The place makes you miserable... The only good thing about it is the music. The prices make no sense
Après :     ['place', 'make', 'thing', 'music', 'price', 'make_sense', 'owner', 'feel', 'need', 'introduce']

Avant :     I would give this place 0 stars if I could. The owner is incredibly rude and RACIST! Went in here on
Après :     ['give', 'place', 'star', 'owner', 'racist', 'night', 'friend', 'owner', 'keep', 'yell']

Avant :     Meh! The place is great, the price is cool and the are always in top with the coal issue without cha
Après :     ['place', 'price', 'coal', 'issue', 'charge', 'time', 'flaw', 'place', 'byob', 'pay']

Avant :     I COULD HAVE MADE A BETTER PIZZA AT HOME !! STAY AWAY !! THE WORST PIZZA I HAVE HAD IN THE AREA !! 

Après :     ['make', 'pizza', 'home', 'stay', 'pizza', 'area', 'basis', 'let', 'describe', 'pizza']

Avant :     Great food
Horrible service
1st time visit, waitress hard to find
Didn't even offer dessert, had to 
Après :     ['food', 'service', 'time', 'visit', 'waitress', 'find', 'offer', 'drink_refill']

Avant :     Meh. 

The Greek salad was an extreme disappointment considering it was 6 + dollars. It was small bu
Après :     ['greek_salad', 'disappointment', 'consider', 'dollar', 'seem', 'assortment', 'pizza', 'topping', 'throw', 'spinach']

Avant :     This is probably the blandest pizza in East Nashville. The crust has less flavor than most frozen pi
Après :     ['flavor', 'pizza', 'give_star', 'neighborhood', 'want', 'order', 'year', 'remind', 'place', 'wing']

Avant :     Wanted  to try it but I'm a true  believer that you get what you pay for. Not alot of toppings which
Après :     ['want', 'try', 'believer', 'pay', 'alot', 'topping', 'make', 'pizza', 'fill', 'sauce']

Avant :     it took them over an hour and fifteen minutes on a carry out I ordered and they served people that w
Après :     ['take', 'hour', 'minute', 'carry', 'order', 'serve', 'people', 'walk', 'street', 'mine']

Avant :     I'm basing this review off of poor customer service. I called to try to place an order so I don't ha
Après :     ['base_review', 'customer_service', 'call', 'try', 'place', 'order', 'wait', 'order', 'answer', 'place']

Avant :     Ordered "The Dylan". The blandest pizza I have ever tasted   Ordered the feta cheese sticks. The sam
Après :     ['order', 'pizza', 'taste', 'order', 'feta', 'cheese', 'stick', 'thing', 'delivery_guy', 'look']

Avant :     Ugh. Just tried them again because I wanted some pasta. BIG MISTAKE. I ordered the beef lasagna & it
Après :     ['try', 'want', 'pasta', 'mistake', 'order', 'beef', 'school', 'lunch', 'meatball', 'one']

Avant :     Came in Sunday for lunch and some games with the kids. So stoked about the pizza and wing buffet. Un
Après :     ['come', 'lunch', 'game', 'kid', 'stoke', 'pizza', 'wing', 'buffet', 'discover', 'pasta']

Avant :     Not happy. When I ordered a beer and chips and dip it took 20 min and I still had no chips and dip. 
Après :     ['order', 'beer', 'chip', 'dip', 'take_min', 'chip', 'tell', 'waiter', 'refund_money', 'minute']

Avant :     I've been here with friends on a couple of occasions for drinks, bowling, and arcade games.  To put 
Après :     ['friend', 'couple', 'occasion', 'drink', 'bowling', 'arcade', 'game', 'put', 'game', 'bowling']

Avant :     According to management, the fire marshal will not allow you to park your stroller by your table (de
Après :     ['accord', 'management', 'fire', 'marshal', 'allow', 'park', 'stroller', 'table', 'room', 'see']

Avant :     This place sucks what diner stops serving breakfast on Sunday at 11 o'clock You Are Not A Diner!
Après :     ['place', 'suck', 'diner', 'stop', 'serve', 'breakfast', 'clock', 'diner']

Avant :     We had lunch at Ruby's today, and it was a very negative experience. The service was absolutely terr
Après :     ['today', 'experience', 'service', 'wait_minute', 'come', 'table', 'table', 'food', 'come', 'order']

Avant :     The G. Anthony Walker Report: I found for my taste buds the Ruby's Diner (RD's) at the King Of Pruss
Après :     ['find', 'taste_bud', 'breakfast', 'meal', 'fry', 'egg', 'hash_brown', 'combo', 'write_home', 'place']

Avant :     *BE WARNED, NOT A TRUE DINER. MORE OF A JOHNNY ROCKETS STYLE DINER. ADDITIONALLY BREAKFAST STOPS AT 
Après :     ['warn', 'diner', 'style', 'diner', 'breakfast', 'stop', 'service', 'lacking', 'effort', 'service']

Avant :     Told the delivery man my order wasn't correct. I was missing two things. Called and asked them to se
Après :     ['tell', 'delivery', 'man', 'order', 'correct', 'miss', 'thing', 'call', 'ask', 'send']

Avant :     Ordered and after an hour and a half called to see why the food had not arrived. They said the drive
Après :     ['order', 'hour_half', 'call', 'see', 'food', 'arrive', 'say', 'driver', 'way', 'hour']

Avant :     Good food but when they are busy they take forever and if u call and complain they say the food is o
Après :     ['food', 'take', 'call_complain', 'say', 'food', 'way', 'take', 'hour', 'food', 'customer_service']

Avant :     Terrible customer service! Waiting 1:30 minutes and 3 calls. Rude guy answering the phone.
Après :     ['customer_service', 'waiting', 'minute', 'call', 'guy', 'answer_phone']

Avant :     Mehhh...not horrible...but not good either.

We live near here, less than 5 blocks away.  But, we ra
Après :     ['good', 'live_block', 'food', 'beckon', 'come', 'drive', 'minute', 'danny', 'wok', 'shangri']

Avant :     Food looked good but we never got to try it. We were told by the manager when we went in that the ki
Après :     ['food', 'look', 'try', 'tell', 'manager', 'kitchen_back', 'take', 'order', 'wait', 'happen']

Avant :     Came here because of the excellent reviews. Ordered as soon as they opened and allowed 25 minutes fo
Après :     ['come', 'review', 'order', 'open', 'allow', 'minute', 'cook', 'pancake', 'describe', 'menu']

Avant :     I have eaten in the restaurant twice and thought the food was good but fair service. I recently plac
Après :     ['eat', 'restaurant', 'think', 'food', 'service', 'place', 'order', 'event', 'notify', 'email']

Avant :     We went in for a vegan/gluten free wedding cake tasting on a Thursday night. The cake was fine, but 
Après :     ['vegan', 'gluten', 'wedding', 'cake', 'tasting', 'night', 'cake', 'taste', 'woman', 'talk']

Avant :     Known for their crab soup it was average. Found lots of crab shell in it. Pimento cheese was average
Après :     ['know', 'crab', 'soup', 'average', 'find', 'lot', 'cheese', 'average', 'mke', 'tuna']

Avant :     I used to come this place a lot before they switched hotels. Since then, I have come back once, neve
Après :     ['use', 'come', 'place', 'lot', 'switch', 'hotel', 'come', 'return', 'menu', 'portion']

Avant :     Terrible customer service. They close early on no notice. Even if you call in an order to go they st
Après :     ['customer_service', 'close', 'notice', 'call', 'order', 'take', 'order', 'close', 'time', 'decide']

Avant :     Waiter was great but prices were rather high $10 up.. for very tiny portions and kinda bland tasting
Après :     ['price', 'portion', 'bland', 'taste', 'eat', 'flavor', 'portion', 'eat']

Avant :     My partner and I love McAlisters, but not this one! The service is horrible!! The manager leads by e
Après :     ['partner', 'love', 'mcalister', 'service', 'manager', 'lead', 'example', 'seem_care', 'customer', 'wait']

Avant :     The food is good, but they just started charging $2.49 for a kids meal if you carry out...it's $0.99
Après :     ['food', 'good', 'start', 'charge', 'kid', 'carry', 'eat', 'increase', 'crock']

Avant :     My wife and her friends returned to try this place again and her report is that it's worse than befo
Après :     ['wife', 'friend', 'return', 'try', 'place', 'report', 'staff', 'bunch', 'kid', 'job']

Avant :     It was a horrible dining experience. The food is not good. They're a very un .organized . I seen a l
Après :     ['dining_experience', 'food', 'organize', 'see', 'lot', 'people', 'owner', 'review', 'experience', 'change']

Avant :     Bad experience! Owner is a bully and does not support the customer! Food substandard at best. Do not
Après :     ['experience', 'owner', 'bully', 'support', 'customer', 'food', 'substandard', 'waste_time', 'money', 'expect']

Avant :     This place was a joke.  We were sat at a table the was not even clean.  The table cloth was dirty an
Après :     ['sit', 'table', 'clean', 'table', 'cloth', 'dirty', 'crumb', 'order', 'bruchetta', 'cheese_melt']

Avant :     Purchased a family size lasagna and it was super expensive. It just tastes like regular lasagna.. wa
Après :     ['purchase', 'family', 'size', 'lasagna', 'taste', 'staff_member']

Avant :     We took home the two meat lasagna. The only meat I could taste was ground beef and not any Italian s
Après :     ['take', 'meat', 'lasagna', 'meat', 'taste', 'ground_beef', 'sausage', 'dominate', 'flavorless', 'sauce']

Avant :     Brought this in Sierra Vista at the outdoor market.  We brought the manicotti  and our friends broug
Après :     ['bring', 'market', 'bring', 'manicotti', 'friend', 'bring', 'sauce', 'tonight', 'bland', 'need']

Avant :     I'm not sure how long this place has been up but it don't seem like Mom or Pops cook in the kitchen 
Après :     ['place', 'seem', 'mom_pop', 'cook', 'kitchen', 'presentation', 'food', 'execute', 'flavor', 'lack']

Avant :     Fancy looking outside but crappy inside.
Food was suck!!! I ordered carne asada burrito - easy right
Après :     ['look', 'food', 'suck', 'order', 'soooooo', 'thought', 'break', 'eat']

Avant :     The server was eating at the same time she was waiting on our table. The salsa was just tomato paste
Après :     ['server', 'eat', 'time', 'waiting', 'table', 'salsa', 'tomato', 'paste', 'bland', 'money']

Avant :     Went in for lunch. Local Tucsonan & I've never eaten here. Never really heard anyone talk about it. 
Après :     ['lunch', 'tucsonan', 'eat', 'hear', 'talk', 'lunch', 'combo', 'ground_beef', 'taste', 'atmosphere']

Avant :     Gringo Food. Was ready within minutes of ordering it. Pre-made and you can taste it. Plus the servic
Après :     ['food', 'minute', 'order', 'pre_make', 'taste', 'service', 'suck', 'lady', 'chew', 'food']

Avant :     Negative 5 stars. Worst service and slow, 15 minutes for 1 panini. They use microwaves people so its
Après :     ['star', 'service', 'minute', 'panini', 'use', 'microwave', 'people', 'crap', 'clean', 'buy']

Avant :     The worst. 

The egg served on my bagel looked like two giant sponges that were nuclear hot and the 
Après :     ['egg', 'serve', 'bagel', 'look', 'sponge', 'wonder', 'bread', 'mention', 'line']

Avant :     Zero benefit to ordering ahead. You still have to wait in line with everyone else when you get there
Après :     ['benefit', 'order', 'wait_line', 'drink', 'make']

Avant :     Underwhelming. The only thing that is overwhelming is the wait time. We got cheesesteaks (whole and 
Après :     ['underwhelme', 'thing', 'wait', 'time', 'bread', 'remind', 'bread', 'use', 'hoagie', 'lack']

Avant :     Very very poor customer service.  They will hang up on you when they are wrong.  That's how you are 
Après :     ['customer_service', 'hang', 'wrong', 'treat', 'screw', 'order', 'say', 'fault', 'people', 'suck']

Avant :     Dirty tables (not 1 clean one), terrible manager who stands around and watches then barks at the emp
Après :     ['table', 'clean', 'manager', 'stand', 'watch', 'bark', 'employee', 'customer', 'person', 'line']

Avant :     The food is excellent. The customer service and quantity over time has continued to go down. I've be
Après :     ['food', 'customer_service', 'quantity', 'time', 'continue', 'place', 'couple_week', 'year', 'portion', 'time']

Avant :     For a long time as a Chinese foodie my family loved going to Han Dynasty. 
But we went there for my 
Après :     ['time', 'love', 'birthday', 'week', 'food', 'string', 'bean', 'fry', 'taste', 'oil']

Avant :     Horrible service! They asked us to put the baby carrier on the floor instead of giving us a bigger t
Après :     ['service', 'ask', 'put', 'baby', 'carrier', 'floor', 'give', 'table', 'kid', 'feel']

Avant :     The absolute WORST service EVER... which is so sad because the food really is delicious, but the ser
Après :     ['service', 'food', 'service', 'overshadow', 'food', 'service', 'exton', 'location', 'award', 'service']

Avant :     12:20 PM: 10 minutes to be seated-seated for 15 minutes and no server or acknowledgement that we exi
Après :     ['minute', 'seat', 'minute', 'server', 'acknowledgement', 'exist', 'restaurant', 'staff', 'review', 'happen']

Avant :     OK food.  Horrible service.

We stopped in for a late lunch on a Sunday.  We ordered the dan dan noo
Après :     ['food', 'service', 'stop_lunch', 'order', 'braise', 'beef', 'beef', 'double', 'pork', 'pepper']

Avant :     service, service, service people!   great food but in desperate need of a GM to manage the place.  t
Après :     ['service', 'service', 'service', 'people', 'food', 'need', 'manage', 'place', 'strike']

Avant :     Went for lunch with a colleague.  Had the dry hot chicken.  It was some kind of overly deep fried pi
Après :     ['lunch', 'colleague', 'chicken', 'kind', 'fry', 'piece', 'lack', 'word', 'see', 'chicken']

Avant :     flavorless wonton, flavorless pork, and seasoned deep fried bread crumbs.  Apparently, they forgot t
Après :     ['pork', 'season', 'fry', 'bread', 'crumb', 'forget', 'put', 'chicken', 'bread', 'crumb']

Avant :     I would give it zero or negative stars if I could.  

It's authentic; you can only get service like 
Après :     ['give_star', 'service', 'group', 'seat', 'ask', 'group', 'room', 'see', 'server', 'minute']

Avant :     It was our first time eating there and we all ordered "mild". The food was so spicy and hot that we 
Après :     ['time', 'eat', 'order', 'food', 'finish', 'dish', 'mild', 'hate', 'taste', 'taste']

Avant :     This was a filthy dirty awful place. And the food was worse! Filthy door, dirty floor, crumbles on t
Après :     ['place', 'food', 'door', 'floor', 'crumble', 'tabletop', 'choose', 'lunch', 'menu', 'tea']

Avant :     Today was order was terrible, got hot dry pepper chicken.   Missing chicken, all flour (see pic belo
Après :     ['today', 'order', 'pepper', 'chicken', 'miss', 'chicken', 'flour', 'see', 'pic', 'come']

Avant :     The worst Si Chuan food I tasted near around...I am from China and I know what is  real Chuan Food. 
Après :     ['si', 'chuan', 'food', 'taste', 'know', 'restaurant', 'surprise', 'believe', 'rating', 'wonder']

Avant :     crappy restarurant with awful service and rude waiter. if you are looking for a GOOD BYO italian res
Après :     ['service', 'rude', 'waiter', 'look', 'byo', 'restaurant', 'lombard']

Avant :     Good service, not much ambiance.  Dishes were simply dull.  There are plenty of byo Italian joints i
Après :     ['service', 'ambiance', 'dish', 'dull', 'byo', 'joint', 'put', 'food', 'plate']

Avant :     My husband and I were underwhelmed with the food at Porcini.  We had the asparagus and artichoke app
Après :     ['husband', 'underwhelme', 'food', 'porcini', 'asparagus', 'artichoke', 'appetizer', 'entree', 'oxtail', 'pasta']

Avant :     Worst BYOB I've been to ! Came in with a group and as we we're waiting for guests to arrive we asked
Après :     ['byob', 'come', 'group', 'wait', 'guest', 'arrive', 'ask', 'bread', 'tell', 'bread']

Avant :     The atmosphere and service were passable but the food was truly disappointing.  

My Spaghettini Pes
Après :     ['atmosphere', 'service', 'food', 'spaghettini', 'pescatore', 'portion', 'flavorless', 'dough', 'serve', 'lagoon']

Avant :     Never will return.  The owner/manager was completely rude.  The place is so tight there was no room 
Après :     ['return', 'owner', 'manager', 'place', 'room', 'move', 'seat', 'feel_rush', 'food', 'brag']

Avant :     I REALLY wanted to like porcini after reading all the awesome reviews, but I just think it lacks the
Après :     ['want', 'porcini', 'read_review', 'think', 'lack', 'taste', 'freshness', 'food', 'byos', 'melograno']

Avant :     We had not been to Porcini in quite awhile due to a move so my husband & I were looking forward to t
Après :     ['porcini', 'move', 'husband', 'look', 'try', 'food', 'stop', 'theater', 'performance', 'table']

Avant :     A huge fan of the El Charro family! I was so excited to try this new hip downtown venue. Awesome dec
Après :     ['excite', 'try', 'hip', 'downtown', 'venue', 'decor', 'smell', 'food', 'waiter', 'derek']

Avant :     My wife and I went to Charros before a concert on a Sunday night.  The service was great along with 
Après :     ['concert', 'night', 'service', 'side', 'dish', 'steak', 'replace', 'order', 'issue', 'prepare']

Avant :     I legit just walked into Blaze being 9pm and as soon as I got to the line I was told that they are c
Après :     ['legit', 'walk', 'blaze', 'line', 'tell', 'close', 'hour', 'door', 'state', 'check']

Avant :     The pizza is completely tasteless. We ordered 4 different pizzas to try and all were bad. The dough 
Après :     ['pizza', 'order', 'pizza', 'try', 'dough', 'sauce', 'flavor', 'pizza', 'place']

Avant :     First time coming here, and the crew was kind of rude. They got confused on which one was the pizza 
Après :     ['time', 'come', 'crew', 'kind', 'rude', 'confuse', 'pizza', 'remake', 'pizza', 'topping']

Avant :     I hate places that advertise with a coupon, but then have special conditions.  Did the Drive-in with
Après :     ['hate', 'place', 'advertise', 'coupon', 'condition', 'drive', 'coupon', 'buy', 'look', 'coupon']

Avant :     Ugly yellow building - very ghetto. Very out-of-place looking, especially for this side of town. How
Après :     ['building', 'ghetto', 'place', 'look', 'side', 'town', 'food']

Avant :     Tried there 3 tacos  Absolutely Nasty!!! This is the Worst Mexican place I have ever been to!
Après :     ['try', 'taco', 'place']

Avant :     Thought we would try this place out for a quick bite with the kids. The food was terrible, even the 
Après :     ['thought', 'try', 'place', 'bite', 'kid', 'food', 'kid', 'size', 'bun', 'think']

Avant :     Seriously tho?!? This place is def one of the worst places I've ever eaten in my life. Dishes that o
Après :     ['tho', 'place', 'place', 'eat', 'life', 'dish', 'food', 'serve', 'kid', 'plate']

Avant :     Terrible delivery service & food order was incorrect once received an hour over what I was told.  Al
Après :     ['delivery', 'service', 'food', 'order', 'incorrect', 'receive', 'hour', 'tell', 'food', 'cook']

Avant :     Terrible small portions...drinks were good but the bartender told us to get an heirloom salad which 
Après :     ['portion', 'drink', 'bartender', 'tell', 'salad', 'heirloom', 'choice']

Avant :     We were really looking forward to the menu and were disappointed. The restaurant is very loud. Our s
Après :     ['look', 'menu', 'disappoint', 'restaurant', 'server', 'wait_minute', 'course', 'food', 'dessert', 'come']

Avant :     Every thing was heavy and overly salted. I had only one night in phily and regret wasting my time an
Après :     ['thing', 'salt', 'night', 'regret', 'waste_time', 'money', 'octopus', 'treat', 'soak', 'oil']

Avant :     Insane prices for tiny portions. My husband's fried chicken was so salty we had to send it back. We 
Après :     ['price', 'portion', 'husband', 'fry', 'send', 'leave', 'dehydrate', 'place', 'theatre', 'crowd']

Avant :     I went here for dinner on a Tuesday night.  A dinner for 2 came out to $240, and I left hungry.  The
Après :     ['dinner', 'night', 'dinner', 'come', 'leave', 'food', 'come', 'portion', 'want', 'steak']

Avant :     One of the worst buffet we have ever eaten. Went on Sunday afternoon. The vegetarian choices were te
Après :     ['buffet', 'eat', 'afternoon', 'choice', 'food', 'dessert', 'pay', 'cabbage', 'broccoli', 'serve']

Avant :     Stopped at this diner because of all the great reviews, however, it didn't live up to the reviews I 
Après :     ['stop', 'review', 'review', 'read', 'walk', 'bucket', 'newspaper', 'roof', 'leak', 'weather']

Avant :     Very unfriendly to people with dietary restrictions/allergies. Refused to make an accommodation.  Wo
Après :     ['people', 'restriction', 'allergy', 'refuse', 'make', 'accommodation', 'come']

Avant :     I was really excited about going to Cyranos and ended up very disappointed.  My friends and i were s
Après :     ['excite', 'cyrano', 'end', 'friend', 'seat', 'door', 'wait', 'staff', 'walk', 'acknowledge']

Avant :     Was totally underwhelmed here. We were seated easily on a weekend night, but service was very slow. 
Après :     ['underwhelme', 'seat', 'weekend', 'night', 'service_slow', 'review', 'seem', 'mention', 'brunch', 'dessert']

Avant :     Worst , Worst , absolutely the worst , ordered around 6pm received order at 8:24pm then I'm thinking
Après :     ['order', 'pm', 'receive', 'order', 'pm', 'think', 'enjoy', 'pizza', 'pizza', 'cook']

Avant :     I've always loved Pizza Hut but man...this place should strictly advertise take out only! For the la
Après :     ['love', 'pizza', 'man', 'place', 'advertise', 'take', 'time', 'order', 'delivery', 'deal']

Avant :     I placed an order online to be picked up at a later time. I expected to be able to pop in, get my pi
Après :     ['place', 'order', 'pick', 'time', 'expect', 'pop', 'pizza', 'leave', 'pay', 'tell']

Avant :     Their salsa was flavorless. To many green peppers in the fijitas compared to the onion and the chick
Après :     ['flavorless', 'pepper', 'compare', 'onion', 'chicken', 'ask', 'torrtia', 'one', 'dry', 'kid']

Avant :     I'm only giving two stars because the food was pretty good. The service was awful. No refills. One b
Après :     ['give_star', 'food', 'service', 'refill', 'basket', 'chip', 'food', 'come', 'eat', 'food']

Avant :     Terrible service, nasty attitudes, and manager who doesn't care. If you get the server Felix, expect
Après :     ['service', 'attitude', 'manager', 'care', 'expect', 'ass', 'service', 'see', 'meal']

Avant :     The best part about this place is the service and the cleanliness of the restaurant the food was ver
Après :     ['part', 'place', 'service', 'cleanliness', 'restaurant', 'food', 'appetizing', 'price', 'food', 'flavor']

Avant :     The food was not very good honestly the chimichanga was mushy and the other burrito we got barely ha
Après :     ['food', 'chimichanga', 'burrito', 'cheese', 'sauce', 'describe', 'people', 'queso']

Avant :     Came in with 45 mins to spare, employees were cleaning everything up and gave us complete attitude. 
Après :     ['come', 'min', 'employee', 'clean', 'give', 'attitude', 'leave', 'chicken', 'shawarma', 'hear_thing']

Avant :     Went in for lunch, not very crowded, ordered bowl with rice, chicken shawarma, with cabbage and suma
Après :     ['lunch', 'crowd', 'order', 'bowl', 'onion', 'flavor', 'portion', 'bowl', 'sumac', 'onion']

Avant :     The owners need to fix the place up, the food is good though the employees are nice but not as effic
Après :     ['owner', 'need', 'fix', 'place', 'food', 'employee', 'nice']

Avant :     The employees are rude and mumble so much I could barely understand them. I went twice in a month an
Après :     ['employee', 'rude', 'understand', 'month', 'time', 'order', 'wrong', 'say', 'want', 'buy']

Avant :     On their window they advertise chicken little meal combo for $5... 2 chicken littles, mash potatoes 
Après :     ['meal', 'combo', 'chicken', 'little', 'mash_potato', 'cookie', 'drink', 'order', 'tell', 'advertise']

Avant :     I was highly disappointed. This is based purely on one lunch experience in Seoul Garden and I must a
Après :     ['base', 'lunch', 'experience', 'garden', 'admit', 'food', 'taste', 'bbq', 'taste', 'pork']

Avant :     When I enter restaurant, 3 waitress look at me and not say a word. 

10 minutes later one waitress c
Après :     ['enter', 'restaurant', 'waitress', 'look', 'say', 'word', 'minute', 'waitress', 'come', 'lead']

Avant :     I stopped eating here because they would sometimes close up the kitchen an hour or more before lunch
Après :     ['stop', 'eat', 'close', 'kitchen', 'hour', 'lunch', 'closure', 'staff', 'visit', 'care']

Avant :     My friend recently went here due to it being the only place that has do it yourself BBQ, they went f
Après :     ['friend', 'place', 'bbq', 'occasion', 'birthday', 'anniversary', 'arrive', 'tell', 'hour', 'closing']

Avant :     One of the worst places in Tucson!  Cold food , rude service. They have the right idea but fail to d
Après :     ['place', 'tucson', 'food', 'rude', 'service', 'idea', 'fail', 'deliver']

Avant :     So disappointed! This is probably the worst food I've had in a very long time.  I'd give it no stars
Après :     ['disappoint', 'food', 'time', 'give_star', 'post', 'order', 'house', 'potato', 'eat', 'egg']

Avant :     My best friend & I went to Mother Hubbard's for a bite. I got 2 eggs, shredded potatoes & toast. Wel
Après :     ['friend', 'bite', 'egg', 'shred', 'potato', 'toast', 'potatoe', 'taste', 'use', 'grease']

Avant :     Incredibly nice wait staff who serve well very.  They are the only reason for the two stars.  The fo
Après :     ['staff', 'serve', 'reason_star', 'food', 'guy', 'order', 'cook', 'need', 'training', 'breakfast']

Avant :     Driest reuben sandwich ever.  Meat cooked well but sandwich overall lacked moisture.  They ran out o
Après :     ['sandwich', 'meat', 'cook', 'sandwich', 'moisture', 'run', 'mayo', 'slaw', 'give', 'taste']

Avant :     Dirty, loud, crowded, terrible service and the food is awful. Why does this place have good reviews?
Après :     ['crowd', 'service', 'food', 'place', 'review', 'strip', 'mall', 'need', 'makeover', 'coffee']

Avant :     So disappointed! This is probably the worst food I've had in a very long time.  I'd give it no stars
Après :     ['disappoint', 'food', 'time', 'give_star', 'post', 'order', 'house', 'potato', 'eat', 'egg']

Avant :     I arrived tired from the road and looking forward to a decent breakfast where I could get some busin
Après :     ['arrive', 'road', 'look', 'breakfast', 'business', 'laptop', 'wait', 'food', 'tell', 'wait_minute']

Avant :     The place is very dirty - the floor is disgusting.  The waitstaff wear dirty stained clothes which i
Après :     ['place', 'floor', 'disgust', 'wear', 'stain', 'clothe', 'unappetizing', 'party', 'sit', 'kitchen']

Avant :     Worse chorizo and eggs ever!! Showed up walked up to counter and asked if I could pick up my order t
Après :     ['chorizo', 'egg', 'show', 'walk', 'counter', 'ask', 'pick', 'order', 'call', 'ask']

Avant :     Poor service and long wait (over 30 min.).  My wife's dish was good but mine was cold and bland.
Après :     ['service', 'wait', 'wife', 'dish', 'bland']

Avant :     This location used to be good, several years ago. About 3 years ago it started to go downhill and no
Après :     ['location', 'use', 'year', 'year', 'start', 'people_work', 'evening', 'table', 'people', 'wait']

Avant :     I love Cosi but this Cosi is going down hill fast. I always get a signature salad and lately they ar
Après :     ['love', 'cosi', 'cosi', 'hill', 'signature', 'salad', 'make', 'dress', 'make', 'signature']

Avant :     I used to love coming here for breakfast and lunch but on multiple occasions I've been served underc
Après :     ['use_love', 'come', 'breakfast', 'lunch', 'occasion', 'serve', 'food', 'stop', 'walk', 'block']

Avant :     Overcrowded, unorganized, really over priced! Panera Bread out classes this place 10-2. What a waste
Après :     ['price', 'panera', 'bread', 'class', 'place', 'waste_time', 'food', 'think', 'ferment', 'sit']

Avant :     I've never figured out the appeal of Cosi, it's like a more expensive Panera with less options and m
Après :     ['figure', 'appeal', 'cosi', 'panera', 'option', 'food', 'say', 'lack', 'consistency', 'visit']

Avant :     Only slightly better than Starbucks in terms of crappy coffee.  This actual location has a leakage p
Après :     ['starbuck', 'term', 'coffee', 'location', 'leakage', 'problem', 'friend', 'live', 'apartment', 'cosi']

Avant :     This Cosi is a flaming disaster.  I even wrote Cosi stating as much and was more or less ignored.  M
Après :     ['cosi', 'flame', 'disaster', 'write', 'cosi', 'state', 'ignore', 'complaint', 'employee', 'mind']

Avant :     The steak looked microwaved and tasted like I ran over it with my car... However I think they have t
Après :     ['steak', 'look', 'taste', 'run', 'car', 'think', 'staff', 'attentive', 'hold', 'laughter']

Avant :     My husband and I went to lunch here last week on his day off. I wish now we had went somewhere else.
Après :     ['husband', 'lunch', 'week', 'day', 'wish', 'drink', 'raspberry', 'lemonade', 'tell', 'waitress']

Avant :     This place smells like a pile of old pissy diapers.  As soon as I walked in the door I was overcome 
Après :     ['place', 'smell', 'pile', 'diaper', 'walk_door', 'overcome', 'odor', 'meet', 'people', 'choice']

Avant :     Food not very good. My steak was luke warm, my parents' steaks were extremely fatty and tasteless, b
Après :     ['food', 'steak', 'luke', 'parent', 'steak', 'potato', 'sister', 'steak', 'burn', 'side']

Avant :     Sat down over a half hour, only miso and drinks served. Waiting for actual food ordered or someone t
Après :     ['sit', 'hour', 'miso', 'drink', 'serve', 'wait', 'food', 'order', 'cook', 'wait']

Avant :     In my experience, the staff was a disappointment. We had 3 employees try to take our "complicated" o
Après :     ['experience', 'staff', 'disappointment', 'employee', 'try', 'take', 'order', 'want', 'salmon', 'avocado']

Avant :     Not worth the 50% off. I knew I had a bad feeling the second I walked in. The restaurant was a bit t
Après :     ['know', 'feeling', 'walk', 'restaurant', 'bit', 'bar', 'fish', 'sit', 'refrigerate', 'day']

Avant :     I don't really like this place..I needed to find a place to fix my blood sugar with my boyfriend at 
Après :     ['place', 'need', 'find', 'place', 'fix', 'blood', 'sugar', 'boyfriend', 'time', 'come']

Avant :     Usually I do not post reviews.  But this experience was just too bad. 

We came to Santa Barbara for
Après :     ['post', 'review', 'experience', 'come', 'vacation', 'kid', 'love', 'food', 'choose', 'restaurant']

Avant :     Our family took a friend out for sushi. Wait time was not too bad, sushi was delicious.. the only ba
Après :     ['family', 'take', 'friend', 'wait', 'time', 'experience', 'server', 'come', 'month', 'water_glass']

Avant :     Our poorly trained waiter.  How could they have put him on the floor? It was sad. He was clueless. T
Après :     ['train', 'waiter', 'put', 'floor', 'food', 'bore', 'time', 'star', 'time', 'table']

Avant :     I get sick here almost every time so it's unfortunate that everyone wants to have their birthdays he
Après :     ['time', 'want', 'birthday', 'service', 'use', 'half', 'deal', 'end', 'split_check', 'date']

Avant :     So im at somethings fishy right now. My son and i just walked in to order to go.....the "manager" st
Après :     ['something', 'son', 'walk', 'order', 'manager', 'state', 'order', 'training', 'say', 'order']

Avant :     Sushi was good! Therefore two stars. But then I order the meal for my kids with the steak and shrimp
Après :     ['star', 'order', 'meal', 'kid', 'steak', 'shrimp', 'rice', 'salad', 'tell', 'lettuce']

Avant :     Here's the thing about this Japanese Steakhouse and sushi Bar.... 

I WANTED to like it, but I also 
Après :     ['thing', 'want', 'want', 'establishment', 'say', 'expect', 'run_mill', 'roll', 'option', 'dinner']

Avant :     The first time I came here I had just turned 18. I was literally a culinary dunce. The only thing I 
Après :     ['time', 'come', 'turn', 'dunce', 'thing', 'know', 'hometown', 'food', 'make', 'chef']

Avant :     We arrived with a party of four hoping to all sit together & eat some half off sushi. They told us t
Après :     ['arrive', 'party', 'hoping', 'sit', 'eat', 'half', 'tell', 'wait_minute', 'grab', 'sake']

Avant :     Well, let me begin with saying this has been my boyfriend and mines go to dinner spot for over 2 yea
Après :     ['let', 'begin', 'say', 'boyfriend', 'mine', 'dinner', 'spot', 'year', 'food', 'love']

Avant :     Had it for dinner with a group of friends. Food is overpriced definitely for the Benihana-styled coo
Après :     ['dinner', 'group', 'friend', 'food', 'overprice', 'style', 'food', 'entertain', 'watch', 'chef']

Avant :     The waitress and wait staff was very friendly and helpful. But I would definitely not recommend the 
Après :     ['waitress', 'wait', 'staff', 'recommend', 'rice', 'butter', 'change', 'color', 'rice', 'good']

Avant :     I would only go during happy hour when the rolls are half off. Even still, I've had cheaper and bett
Après :     ['hour', 'roll', 'half']

Avant :     The quality of the sushi is terrible along with the old soggy ginger. Asked for a crunchy roll and g
Après :     ['quality', 'ginger', 'ask', 'roll', 'roll', 'crunch', 'top', 'seem', 'year', 'quality']

Avant :     so we ordered brisket sandwiched from here waited forever for it to arrive and when the food came th
Après :     ['order', 'brisket', 'sandwich', 'wait', 'food', 'come', 'run', 'brisket', 'give', 'roast_beef']

Avant :     Ordered from here before they moved to the new location, so maybe the food has also changed. Ordered
Après :     ['order', 'move', 'location', 'food', 'change', 'order', 'delivery', 'co_worker', 'wait', 'fact']

Avant :     Enjoyed the previous restaurant that occupied this location and after reading reviews decided to giv
Après :     ['enjoy', 'restaurant', 'occupy', 'location', 'reading_review', 'decide', 'give', 'try', 'service', 'server']

Avant :     Great food, great drinks, terribly (unapologetically so) service. It's not dick's last resort, it's 
Après :     ['food', 'drink', 'service', 'ask', 'water', 'time', 'luke', 'annnnnd', 'vibe', 'consider']

Avant :     I try my hardest to only eat at local restaurants, but have to say that after last night's service f
Après :     ['try', 'eat', 'restaurant', 'say', 'night', 'service', 'people', 'sit', 'table', 'spend_earn']

Avant :     Went here on a Friday night awkward because no system for how to get a table. The margarita I had wa
Après :     ['night', 'system', 'table', 'ask', 'lime', 'chicken', 'taco', 'verde', 'chicken', 'taste']

Avant :     Living the Square and close to a lot of great restaurants within our neighborhood and downtown, this
Après :     ['live', 'lot', 'restaurant', 'neighborhood', 'downtown', 'let', 'explain', 'taco', 'eat', 'taco']

Avant :     average at best people.
bland tacos. 
over priced food and drinks.
service was slow.
i will give the
Après :     ['people', 'bland', 'taco', 'price', 'food', 'drink', 'service', 'give', 'point', 'try']

Avant :     Chicken tacos too bland but good beer.
Après :     ['taco', 'bland', 'beer']

Avant :     5.40 for 4oz bean dip. (few tablespoons) I think not. Won't ever go back!!!!I  Friends and family we
Après :     ['think', 'friend', 'family', 'right']

Avant :     A terrible service experience. Ordered drinks that never came. A table of 10 ordered food, 6/10 meal
Après :     ['service', 'experience', 'order', 'drink', 'come', 'table', 'order', 'food', 'meal', 'come']

Avant :     Not impressed, as someone who has food allergies, their disclaimer "don't bother eating, please only
Après :     ['impress', 'food', 'allergy', 'disclaimer', 'bother', 'eat', 'drink', 'menu', 'perceive', 'eat']

Avant :     Slow, disinterested service. They have a salsa named for a bodily fluid, yuck.  Mediocre, dry tacos 
Après :     ['slow', 'service', 'salsa', 'name', 'yuck', 'mediocre', 'margarita', 'taste', 'mix', 'think']

Avant :     Love these tacos. This place has amazing food. I wish I could say the same about the recent service 
Après :     ['love', 'taco', 'place', 'food', 'wish', 'say', 'service', 'bar', 'name', 'pony']

Avant :     The service was absolutely horrible. The restaurant wasn't that busy and we had to wait for sauces a
Après :     ['service', 'restaurant', 'wait', 'sauce', 'ask', 'food', 'search', 'server', 'need', 'bring']

Avant :     First time here. Was really excited bc I've heard great things, yet we never had a chance to try it 
Après :     ['time', 'hear_thing', 'chance', 'try', 'walk', 'sit', 'table', 'minute', 'acknowledgement', 'staff']

Avant :     I'd give this zero stars if I could. Went in for a Margarita after reading reviews. No one offered t
Après :     ['give_star', 'read_review', 'offer', 'help', 'ask', 'tell', 'menu', 'walk', 'leave']

Avant :     Possibly some of the worst service I have received as a customer anywhere. The serving staff is amaz
Après :     ['service', 'receive', 'customer', 'serve', 'staff', 'kitchen_back', 'fail', 'notify', 'guest', 'hour_half']

Avant :     The only reason I give this place a two is because I only had the food. So, this review is in no way
Après :     ['reason', 'give', 'place', 'food', 'review', 'way', 'direct', 'drink', 'say', 'place']

Avant :     Terrible, terrible, service. Waitress took forever and the place was not even full. Seriously, is th
Après :     ['service', 'waitress', 'take', 'place', 'indy']

Avant :     Service took ten min to come to our table. It's not very busy in here. Only one waitress and one bar
Après :     ['service', 'take_min', 'come', 'table', 'waitress', 'bartender', 'orderd', 'ask', 'chicken', 'side']

Avant :     Location and ambiance are terrific.  Our server was very attentive, however, the primary issue was t
Après :     ['location', 'ambiance', 'server', 'attentive', 'issue', 'food', 'flavor', 'bland', 'unappetizing', 'bread']

Avant :     I've definitely had better Tapas. I went with a group of 3 and we tried about 10 dishes. The mussels
Après :     ['tapa', 'group', 'try', 'dish', 'mussel', 'serve', 'seem', 'result', 'loss', 'flavor']

Avant :     I would much rather go to tijuana flats or publix across the street and get food in there. My quesad
Après :     ['tijuana', 'street', 'food', 'quesadilla', 'counter', 'sauce', 'rice', 'chicken', 'bowl', 'bland']

Avant :     This is the very worst!!!! With our order, we picked to have fries as our side. They just handed our
Après :     ['order', 'pick', 'fry', 'side', 'food', 'side', 'say', 'order', 'fry', 'side']

Avant :     Decent place for food, cheap and the quality is okay. But the wait for the food is absolutely unbear
Après :     ['place', 'food', 'quality', 'wait', 'food', 'take', 'minute', 'make', 'chicken_quesadilla', 'wrap']

Avant :     The girl was unpleasant didn't take my order right and the driver was high or drunk. He asked me if 
Après :     ['girl', 'take', 'order', 'driver', 'ask', 'give', 'change', 'food', 'throw', 'order']

Avant :     They have unreliable opening hours and don't seem to smile much. I am going to only go to the other 
Après :     ['opening', 'hour', 'seem', 'smile', 'downtown', 'location', 'tucker', 'smile', 'open', 'schedule']

Avant :     Don't go...Its a scam. Food is awful and is very very very expensive and they don't post their price
Après :     ['scam', 'food', 'post', 'price', 'buffet', 'style', 'place', 'mile', 'charge', 'kid']

Avant :     I ate 3 pieces of sushi, and almost instantly vomited.  Thankfully made it to the men's room.

Was t
Après :     ['eat', 'piece', 'sushi', 'vomit', 'make', 'man', 'room', 'minute', 'eat', 'ounce']

Avant :     Large assortment of food but am annoyed that the lunch buffet price changes frequently....this winte
Après :     ['assortment', 'food', 'annoy', 'lunch_buffet', 'price', 'change', 'winter', 'time', 'today', 'find']

Avant :     Came here for an event and had buffet here. I came here multiple times and I feel like the food is g
Après :     ['come', 'event', 'buffet', 'come', 'time', 'feel', 'food', 'make', 'shabu', 'shabu']

Avant :     Went once,  not sure I would go back.    I was hoping they really had some spectacular sushi after s
Après :     ['hope', 'see', 'price', 'buffet', 'know', 'clean', 'variety', 'dish', 'buffet', 'half']

Avant :     Only had take out here once. It was good when they had .75 per piece sushi takeout. Now the price ha
Après :     ['take', 'piece', 'price', 'piece', 'say', 'thank']

Avant :     This was the worst experience of my life! I ordered a salad that sounded delicious on the menu, but 
Après :     ['experience', 'life', 'order', 'salad', 'sound', 'menu', 'come', 'lettuce', 'make', 'vomit']

Avant :     The Pizza is the same thing you can get anywhere else. The appetizers are slim and somehow are more 
Après :     ['pizza', 'thing', 'appetizer', 'slim', 'come', 'reason', 'give', 'stop', 'crave', 'garlic_knot']

Avant :     Ordered twice from this Sonic in the past week. 1st time got the Ultimate chix sandwich with onion r
Après :     ['order', 'week', 'time', 'chix', 'sandwich', 'onion_ring', 'shake', 'shake', 'mess', 'onion_ring']

Avant :     As others are writing, the atmosphere is great.  I'm surprised this has as high a rating as it does.
Après :     ['write', 'atmosphere', 'rating', 'drinking', 'service', 'evening', 'week', 'night', 'food', 'mediocre']

Avant :     Bland food, bad service. We had a group of 14...group of people just looking for some music, cocktai
Après :     ['food', 'service', 'group', 'group', 'people', 'look', 'music', 'cocktail', 'snack', 'tell']

Avant :     The food was fairly decent. The service SUCKED! We waited literally 45 minutes and all the other tab
Après :     ['food', 'service', 'suck', 'wait_minute', 'table', 'attend', 'return', 'give', 'buck']

Avant :     A friend of mine and I stopped in here on Easter Sunday with his small dog that was leashed. They ru
Après :     ['friend', 'mine', 'stop', 'dog', 'leash', 'turn', 'say', 'allow', 'pet', 'come']

Avant :     Buffalo chicken sandwich was more like a frozen chicken patty. My fries were dried out and hallow. A
Après :     ['sandwich', 'chicken', 'fry', 'dry', 'hallow', 'fry', 'time', 'service', 'evening', 'hope']

Avant :     Ordered two beers and two wraps requiring zero cooking.  One hour later, totally wrong food arrives.
Après :     ['order', 'beer', 'wrap', 'require', 'cooking', 'hour', 'food', 'arrive', 'tell', 'waitress']

Avant :     We were staying in the hotel and we went in there to get some food to take back to our room.

We sto
Après :     ['stay_hotel', 'food', 'take', 'room', 'stand', 'desk', 'minute', 'peruse', 'menu', 'wander']

Avant :     Ordered online for the first time and I will never do it again. Mobile app showed a coupon that was 
Après :     ['order', 'time', 'app', 'show', 'coupon', 'ordering', 'think', 'allow', 'use', 'coupon']

Avant :     For a place in Santa Barbara, this place was disappointing. I ordered a cheeseburger and honestly a 
Après :     ['disappoint', 'order', 'cheeseburger', 'cheeseburger', 'luxury', 'compare', 'meat', 'patty', 'taste', 'cafeteria']

Avant :     Very mediocre food. Place wasn't clean. There are so many good places to eat nearby. Don't know why 
Après :     ['food', 'place', 'clean', 'place', 'eat', 'know', 'come']

Avant :     Gone down hill since visit a year ago. Breakfast and lunch just not tasty. Table service only for br
Après :     ['hill', 'visit', 'year', 'breakfast', 'lunch', 'table', 'service', 'breakfast']

Avant :     Food was horrible. Prices I believe should be $$ not $. Friendly staff. Nice beach view.
I had a bur
Après :     ['food', 'price', 'believe', 'staff', 'beach', 'view', 'burger', 'fry', 'compare', 'mcd']

Avant :     Their high prices are only exceeded by their apathy. $3.50 for french fries $9.00 for a hamburgers. 
Après :     ['price', 'exceed', 'fry', 'hamburger', 'watch', 'drop', 'food', 'ground', 'pick', 'serve']

Avant :     Cafeteria food on the beach. Bitchy service. Don't let the location fool you.. this is not your lunc
Après :     ['service', 'let', 'location', 'fool', 'lunch', 'stop']

Avant :     The food is delicious but unfortunately the service was horrible.  Our first time here was a great e
Après :     ['food', 'service', 'time', 'experience', 'visit', 'today', 'ensure', 'return', 'toss', 'follow']

Avant :     Food is terrible and too expensive for how bad it is. Took over 2 hours for delivery. Rude on the ph
Après :     ['food', 'take', 'hour', 'delivery', 'phone', 'call', 'see', 'order', 'status', 'decision']

Avant :     Never been a big fan of this place. Food is very mediocre, nothing special by any stretch but our la
Après :     ['fan', 'place', 'food', 'stretch', 'experience', 'cafe', 'roma', 'order', 'wait', 'hour']

Avant :     This small Italian eatery is located just off Magazine street in the lower, much lower Garden Distri
Après :     ['eatery', 'locate', 'magazine', 'street', 'garden', 'district', 'group', 'sample', 'salad', 'pizza']

Avant :     I placed an order and was given a delivery time of 1.5 hours.  I called over 1.5 hours later to chec
Après :     ['place', 'order', 'give', 'delivery', 'time', 'hour', 'call', 'hour', 'check', 'status']

Avant :     No liquor license, no carbonation, no red pepper flakes. I heard them telling people they were out o
Après :     ['liquor', 'license', 'carbonation', 'pepper', 'flake', 'hear', 'tell', 'people', 'thing', 'thing']

Avant :     I don't really understand what this place is supposed to be.  Is it a fast food joint or is it a bar
Après :     ['understand', 'place', 'suppose', 'food', 'joint', 'blaze', 'share', 'think', 'see', 'bbq']

Avant :     The pork chop was fine but the wahoo was over cooked and dry. To their credit, they comped the wahoo
Après :     ['pork_chop', 'cook', 'credit', 'compe', 'dish', 'service', 'waiter', 'number', 'table', 'tend']

Avant :     Just ok food you find anywhere.  Nothing representing NewOrleans.   The desert bread pounding was at
Après :     ['food', 'find', 'represent', 'neworlean', 'desert', 'bread', 'pound', 'wine_list', 'narrow', 'pricey']

Avant :     Turtle soup was interesting, and unique. The seafood stew was too salty. Atmosphere was good, but no
Après :     ['turtle', 'soup', 'seafood', 'atmosphere', 'bread', 'price', 'check']

Avant :     Not sure what is going on with Muriel's but we had a disappointing experience this past Jazz Fest. W
Après :     ['experience', 'jazz', 'regular', 'jazz', 'fest', 'look', 'visit', 'year', 'evening', 'service']

Avant :     Very disappointed in this place. I had high hopes for this place. Food was decent ( FYI you dont put
Après :     ['place', 'hope', 'place', 'food', 'fyi', 'put', 'sauce', 'service', 'place', 'eye']

Avant :     Had the pork chop. It didn't live up to the hype. Our party had two orders of the pork chop and both
Après :     ['pork_chop', 'party', 'order', 'pork_chop', 'order', 'medium', 'come', 'pork_chop', 'lack_flavor', 'side']

Avant :     Visit began with a surprisingly rude and disappointing restaurant experience with the hostess. Becau
Après :     ['visit', 'begin', 'restaurant', 'experience', 'hostess', 'person', 'ask', 'manager_duty', 'discuss', 'table']

Avant :     We have eaten here several times for brunch, and I've had a great experience. We were here on Saturd
Après :     ['eat', 'time', 'experience', 'drink', 'bar', 'service', 'let', 'manager', 'know', 'write_review']

Avant :     So we are at Muriel's on the balcony,  they won't serve you drinks or food. So do they think we are 
Après :     ['serve', 'drink', 'food', 'think', 'sit_bar', 'balcony', 'intend', 'ignore']

Avant :     Ashley the waitress was excellent. Everything else was terrible, especially the manager and the host
Après :     ['waitress', 'manager', 'hostess', 'recommend', 'place']

Avant :     Bottom line the food was not up to par for the price and what you would expect. I don't know if this
Après :     ['line', 'food', 'par', 'price', 'expect', 'know', 'creole', 'food', 'shrimp', 'pancake']

Avant :     Lured into a "jazz brunch" for Sunday during which the band played for approximately 5 minutes and a
Après :     ['lure', 'jazz', 'brunch', 'band', 'play', 'minute', 'disappear', 'eternity', 'leave', 'silence']

Avant :     My friends and I came to this restaurant last night (visiting from out of town). Our food was incred
Après :     ['friend', 'come', 'restaurant', 'night', 'visit', 'town', 'food', 'service', 'waiter', 'introduce']

Avant :     The food, drinks and service were sub-par. Upon ordering out drink, we were told that we had to orde
Après :     ['food', 'drink', 'service', 'sub_par', 'order', 'drink', 'tell', 'order', 'food', 'part']

Avant :     I hate leaving a bad review, but maybe I can save someone else's night out. First, it's so loud in h
Après :     ['hate', 'leave', 'review', 'save', 'night', 'loud', 'crowd', 'lip', 'read', 'conversation']

Avant :     Slow service. Under par food. Overpriced Asian goods. Cashier seems more busy organizing deliveries 
Après :     ['service', 'par', 'food', 'overprice', 'good', 'cashier', 'seem', 'organize', 'delivery', 'serve']

Avant :     Recently moved near this McDonalds location. Went one night and they messed up my order. Knowing tha
Après :     ['move', 'mcdonald', 'location', 'night', 'mess', 'order', 'know', 'mistake', 'happen', 'want']

Avant :     I went to the drive thru hopefully I can get served so was at the speaker for half hour and lady had
Après :     ['drive', 'serve', 'speaker', 'hour', 'lady', 'attitude', 'ask', 'service', 'say', 'change']

Avant :     Horrible ass place!! Can't ever get shit right. Machines always done,fries always old and cold. Wors
Après :     ['ass', 'place', 'shit', 'machine', 'fry', 'mcdonald', 'life']

Avant :     i'm done with this place. Every time I come here it's either were not accepting credit cards or were
Après :     ['place', 'time', 'come', 'accept', 'credit_card', 'service', 'minute', 'accept', 'order', 'drive']

Avant :     Smells awful as soon as you walk in. Not very clean.  Some staff act very unprofessional.  Wait in d
Après :     ['smell', 'walk', 'staff', 'drive', 'way']

Avant :     So, it's breakfast time. One of the busiest times for this establishment. There was only one cashier
Après :     ['breakfast', 'time', 'time', 'establishment', 'line', 'try', 'work', 'food', 'industry', 'deal']

Avant :     The chicken is over rated. It's better from Acme. The donuts, even the fancy one's seem plain.
Après :     ['chicken', 'rate', 'donut', 'seem']

Avant :     The buttermilk chicken and the donut they give you with it were both disgusting. Couldn't even finis
Après :     ['buttermilk', 'chicken', 'give', 'finish', 'order', 'thing']

Avant :     Sad, poor little chicken. Overrated. SALTY to the point of being inedible. Does the" you got it dude
Après :     ['chicken', 'overrate', 'point', 'dude', 'sample', 'prepare', 'save', 'fare', 'donut', 'stick']

Avant :     What this place has is a good idea (simplicity), the hip atmosphere and a great staff.  I give the s
Après :     ['place', 'idea', 'simplicity', 'hip', 'atmosphere', 'staff', 'give', 'staff', 'work', 'star']

Avant :     Went there for famous donuts and fried chickens. The donuts were nice and hot but the fried chickens
Après :     ['donut', 'fry', 'chicken', 'donut', 'fry', 'chicken', 'employee', 'energy', 'level', 'tone']

Avant :     Basically if you're the only game in town ... Was my feeling. 

Very very mediocre. 
The chicken thi
Après :     ['game', 'town', 'feel', 'chicken', 'thigh', 'piping', 'see', 'picture', 'take_bite', 'leg']

Avant :     I've had better fried chicken and I've had better doughnuts.  That's not great for a place where tho
Après :     ['fry', 'chicken', 'doughnut', 'place', 'item', 'menu', 'doughnut', 'one', 'bakery', 'fry']

Avant :     Like Yelp says when you click two stars -- Meh, I've experienced better. What's the big deal about? 
Après :     ['yelp', 'say', 'click', 'star', 'meh', 'experience', 'deal', 'donut', 'glaze', 'donut']

Avant :     I can't believe they haven't remodeled this Schnucks yet.  It looks horrible, inside and out.  It's 
Après :     ['believe', 'schnuck', 'look', 'date', 'work', 'run', 'selection', 'store', 'necessity', 'beat']

Avant :     Maybe I need to avoid this location all together. 
Every time I go I order a ham & Swiss and it seem
Après :     ['need', 'avoid', 'location', 'time', 'order', 'seem', 'order', 'irritate', 'af']

Avant :     The staff is nice and the food is Ok, for a fast food lunch.  My issue there is the lack of cleanlin
Après :     ['staff', 'food', 'food', 'lunch', 'issue', 'lack', 'cleanliness', 'dining_area', 'dirty', 'line']

Avant :     Terrible place. Terrible service. Terrible customers. Terrible employees. Shut it down.
Après :     ['place', 'service', 'customer', 'employee', 'shut']

Avant :     Horrible.  First time i sat in the drive thru for 15 minutes until leaving.  Second time they charge
Après :     ['time', 'drive', 'minute', 'leave', 'time', 'charge', 'combo', 'meal', 'put', 'bag']

Avant :     The coffee here was decent. So there's that. 

The crepe we ordered (as the only customers in the jo
Après :     ['coffee', 'crepe', 'order', 'customer', 'joint', 'take', 'hour', 'make', 'take', 'order']

In [462]:
# Vérification si pas de pertes
len(data_lemmatized)
Out[462]:
9946
In [463]:
# Vérification de gains
data_lemmatized_str=str(data_lemmatized)
len(data_lemmatized_str)
Out[463]:
1925262

Nous avons réduit le corpus initial de 3 882 106 à 1 925 262 éléments ! Un énorme gain.

In [464]:
#Sauvegarde
joblib.dump(data_lemmatized, 'normalized_corpus')
Out[464]:
['normalized_corpus']

WordCloud ¶

Suite au cleaning nous allons afficher de nouveau le nuage de mots pour voir l'évolution du corpus :

In [465]:
data_normalized=joblib.load('normalized_corpus')
In [466]:
print(data_normalized[:5])
[['wait_minute', 'wait', 'order', 'car', 'wait', 'employee', 'see', 'pull', 'say', 'sonic', 'time', 'service', 'time'], ['waitress', 'denny', 'remember', 'food', 'menu', 'waitress', 'come', 'table', 'drink', 'order', 'food', 'check', 'run', 'drink_refill', 'eat', 'pancake', 'ranch', 'taste', 'milk', 'make', 'pancake', 'box', 'add', 'water', 'mix', 'waste'], ['food', 'staff', 'accommodate', 'restaurant', 'mess', 'restroom', 'visit', 'facility', 'eat'], ['chicken_parm', 'sandwich', 'eat', 'chicken', 'flavorless', 'feeling', 'make', 'day', 'put', 'ton', 'sauce', 'garlic', 'season', 'piece', 'cheese_melt', 'take_bite', 'throw', 'rest', 'inch', 'back', 'blech'], ['neighborhood', 'use', 'order', 'week', 'pick', 'time', 'wait_minute', 'team', 'scramble', 'try', 'find', 'change', 'want', 'pay', 'food', 'take', 'tonight', 'wait', 'change', 'give', 'dollar', 'check', 'food', 'dish', 'lose_customer']]

Conversion en une chaîne de caractères :

In [467]:
wordcloud_text = [x for xs in data_normalized for x in xs]
wc_text = ' '.join(wordcloud_text)
print(wc_text[:230])
wait_minute wait order car wait employee see pull say sonic time service time waitress denny remember food menu waitress come table drink order food check run drink_refill eat pancake ranch taste milk make pancake box add water mi
In [468]:
# Instantiate a new wordcloud.
wordcloud = WordCloud(random_state=8,
                      #collocations=True,
                      min_word_length=4,
                      #collocation_threshold=5,
                      normalize_plurals=False,
                      width=600, height=300,
                      max_words=300)
In [469]:
wordcloud.generate(wc_text)
Out[469]:
<wordcloud.wordcloud.WordCloud at 0x7f511cef5820>
In [470]:
fig, ax = plt.subplots(1, 1, figsize=(16, 12))
plt.imshow(wordcloud, interpolation='bilinear')
plt.axis("off")
plt.show()

Le résultat est très satisfaisant :

  • le corpus est propre et contient uniquement les noms et les verbes.
  • le pluriel ainsi que la conjugaison ont été neutralisés
  • grâce à l'activation du paramètre "collocations", nous observons la présences des bigrammes : wait minute, take minute, customer service, food service, take order etc

Vérifions quels sont les cinq mots qui reviennent le plus souvent dans le corpus :

In [471]:
# Création du dictionnaire avec les fréquences :
text_dictionary = wordcloud.process_text(wc_text)
# sort the dictionary
word_freq={k: v for k, v in sorted(text_dictionary.items(),reverse=True, key=lambda item: item[1])}
In [472]:
# fonction 'words_' pour estimer la fréquence de mots
rel_freq=wordcloud.words_

#résultats
print(list(word_freq.items())[:5])
print("\n")
print(list(rel_freq.items())[:5])
[('food', 4104), ('order', 3215), ('place', 3122), ('time', 2087), ('come', 1927)]


[('food', 1.0), ('order', 0.7833820662768031), ('place', 0.7607212475633528), ('time', 0.5085282651072125), ('come', 0.46954191033138404)]

LDA ¶

Le LDA est issu du Topic Modeling. C'est une technique de modélisation des documents de texte : en modélisant les documents nous pouvons réinterpréter les textes sous forme mathématique, ce qui nous permet non seulement de calculer la distance des documents, mais aussi de les classifier ou de les regrouper selon nos besoins.

LDA, un modèle statistique appliqué au texte, nous permet d’évaluer la distribution de topics du document de texte :

  • Le input de l'algorithme est un dictionnaire et un bag of words.
  • Le output de l’algorithme est en format d’un vecteur de probabilité.

Pour identifier les principaux topics de notre corpus, nous allons devoir passer par plusieurs étapes :

  1. Transformation du corpus normalisé en dictionnaire (corpora.Dictionary de Gensim)
  2. Création du bag of words (doc2bow). Le résultat est une matrice creuse contenant chaque terme employé et sa fréquence.
  3. Visualisation du résultat.

Création du dictionnaire :

In [473]:
id2word = corpora.Dictionary(data_normalized)
In [474]:
#dictionary.filter_extremes(no_below=15, no_above=0.5, keep_n=100000)

Ensuite, création du BOW. Pour chaque document, nous créons un dictionnaire indiquant le nombre mots et leur fréquence :

In [475]:
bow_corpus = []
for text in data_normalized:
    new = id2word.doc2bow(text) # BAG OF WORDS
    bow_corpus.append(new)

print (bow_corpus[:1])
[[(0, 1), (1, 1), (2, 1), (3, 1), (4, 1), (5, 1), (6, 1), (7, 1), (8, 2), (9, 2), (10, 1)]]

En sortie nous obtenons une liste d'ID attribués à chaque mot, suivi du chiffre indiquant sa fréquence. A titre d'exemple, affichons les tokens de la phrase numéro 41 :

In [476]:
bow_corpus_41 = bow_corpus[41]
for i in range(len(bow_corpus_41)):
    print("Le mot {} (\"{}\") apparaît {} fois.".format(bow_corpus_41[i][0],
                                                     id2word[bow_corpus_41[i][0]],
                                                     bow_corpus_41[i][1]))
Le mot 30 ("waitress") apparaît 2 fois.
Le mot 119 ("hostess") apparaît 1 fois.
Le mot 219 ("friend") apparaît 1 fois.
Le mot 249 ("talk") apparaît 1 fois.
Le mot 259 ("seem") apparaît 1 fois.
Le mot 398 ("fiance") apparaît 1 fois.
Le mot 399 ("fry") apparaît 1 fois.

Un coup d'oeil rapide sur le contenu du dictionnaire et du BOW :

In [477]:
print('Combien de tokens dans le dictionnaire : %d' % len(id2word))
print('Combien de documents dans le BOW : %d' % len(bow_corpus))
Combien de tokens dans le dictionnaire : 8909
Combien de documents dans le BOW : 9946

LDA est une technique non supervisée, ce qui signifie que nous ne savons pas à l'avance combien de topics existent dans notre corpus. On utilise l'outil de visualisation LDA pyLDavis : nous allons essayer de définir le nombre de topics, puis comparer les résultats.

Mais comment savoir si notre modèle a indiqué un nombre de topics suffisant et correct ? Pour cela, nous allons nous appuyer sur le Coherence Score.

Coherence Score¶

Le Coherence Score est l'une des principales techniques utilisées pour estimer le nombre de topics. Il évalue un seul topic en mesurant le degré de similitude sémantique entre les mots les mieux notés au sein du topic donné.

Il existe plusieurs métriques, nous utiliserons la mesure c_v pour calculer le Coherence Score.

In [478]:
def get_coherence_score (model) :
    coherence_model_lda = CoherenceModel(
        model=model, texts=data_normalized, dictionary=id2word, coherence='c_v')

    coherence_lda = coherence_model_lda.get_coherence()
    print('\nCoherence Score: ', coherence_lda)

Calculons à présent les valeurs de la cohérence des topics.

Nous devons construire de nombreux modèles LDA avec différentes valeurs du nombre de topics (k) et choisir celui qui donne la valeur de cohérence la plus élevée. Choisir un « k » qui marque la fin d'une croissance rapide de la cohérence des topics offre généralement des sujets significatifs et interprétables. Choisir une valeur encore plus élevée peut parfois fournir des sous-sujets plus granulaires.

Si ont voit les mêmes mots-clés se répéter dans plusieurs sujets, c'est probablement un signe que le "k" est trop grand.

In [479]:
def compute_coherence_values(dictionary, corpus, texts, limit, start=2, step=3):
    """
    Compute c_v coherence for various number of topics

    Parameters:
    ----------
    dictionary : Gensim dictionary
    corpus : Gensim corpus
    texts : List of input texts
    limit : Max num of topics

    Returns:
    -------
    model_list : List of LDA topic models
    coherence_values : Coherence values corresponding to the LDA model with respective number of topics
    """
    coherence_values = []
    model_list = []
    for num_topics in range(start, limit, step):
        model=LdaModel(corpus=corpus, id2word=dictionary, num_topics=num_topics)
        model_list.append(model)
        coherencemodel = CoherenceModel(model=model, texts=texts, dictionary=dictionary, coherence='c_v')
        coherence_values.append(coherencemodel.get_coherence())

    return model_list, coherence_values
In [480]:
model_list, coherence_values = compute_coherence_values(dictionary=id2word, corpus=bow_corpus, texts=data_normalized, start=2, limit=40, step=6)

Affichage des valeurs du Coherence score à l'aide d'un plot :

In [481]:
plt.figure(figsize=(14, 6))
limit = 40
start = 2
step = 6
x = range(start, limit, step)
plt.plot(x, coherence_values)
plt.title("Coherence score pour 40 topics")
plt.xlabel("Nombre de topics")
plt.ylabel("Coherence score")
plt.legend(("coherence_values"), loc='best')
plt.show()

Le graphique ci-dessus montre que le score de cohérence baisse avec le nombre de topics. Il semblerait que le nombre de topics optimal se situe autour de 8.

Affichons les scores exacts pour avoir une idée précise :

In [482]:
for m, cv in zip(x, coherence_values):
    print("Nb de topics =", m, ", Coherence Value est de", round(cv, 4))
Nb de topics = 2 , Coherence Value est de 0.4151
Nb de topics = 8 , Coherence Value est de 0.4401
Nb de topics = 14 , Coherence Value est de 0.3772
Nb de topics = 20 , Coherence Value est de 0.3733
Nb de topics = 26 , Coherence Value est de 0.3704
Nb de topics = 32 , Coherence Value est de 0.3641
Nb de topics = 38 , Coherence Value est de 0.366

Le meilleur score est attribué aux 2 sujets. Dans notre cas, deux sujets d'insatisfaction n'est pas un nombre suffisant. De l'autre côté, huit topics c'est trop, tout en sachant que le Coherence Score continue sa descente entre 7 et 15 topics. Nous allons donc comparer les résultats pour 6, 4 et 8 topics.

Entraînement du modèle à 6 topics¶

In [483]:
lda_model6 = gensim.models.ldamodel.LdaModel(corpus=bow_corpus,
                                           id2word=id2word,
                                           num_topics=6,
                                           passes=10,
                                           alpha="auto")

Visualisation du résultat à l'aide du graphique pyLDAvis :

In [484]:
pyLDAvis.enable_notebook()
vis = pyLDAvis.gensim.prepare(lda_model6, bow_corpus, id2word, mds="mmds", R=30)
vis
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/pyLDAvis/_prepare.py:228: FutureWarning: In a future version of pandas all arguments of DataFrame.drop except for the argument 'labels' will be keyword-only
  default_term_info  = pd.DataFrame({'saliency': saliency, 'Term': vocab, \
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/past/builtins/misc.py:45: DeprecationWarning: the imp module is deprecated in favour of importlib; see the module's documentation for alternative uses
  from imp import reload
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/past/builtins/misc.py:45: DeprecationWarning: the imp module is deprecated in favour of importlib; see the module's documentation for alternative uses
  from imp import reload
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/past/builtins/misc.py:45: DeprecationWarning: the imp module is deprecated in favour of importlib; see the module's documentation for alternative uses
  from imp import reload
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/past/builtins/misc.py:45: DeprecationWarning: the imp module is deprecated in favour of importlib; see the module's documentation for alternative uses
  from imp import reload
Out[484]:

Les mots-clés par topic et leur poids

L'outil LDA permet d'interpréter les résultats de la modélisation. A gauche on voit les topics et leur poids, à droite les top 30 mots-clés attribués aux topics.

Affichons les mots clés par topic et regardons leur importance au sein d'un topic donné :

In [485]:
from pprint import pprint

# Print the Keyword in the 6 topics
pprint(lda_model6.print_topics())
[(0,
  '0.035*"breakfast" + 0.033*"coffee" + 0.025*"egg" + 0.011*"pancake" + '
  '0.009*"salad" + 0.009*"toast" + 0.009*"come" + 0.008*"plate" + '
  '0.008*"brunch" + 0.008*"place"'),
 (1,
  '0.041*"order" + 0.039*"food" + 0.027*"time" + 0.021*"come" + 0.021*"take" + '
  '0.020*"service" + 0.019*"say" + 0.017*"wait" + 0.016*"place" + '
  '0.014*"minute"'),
 (2,
  '0.012*"casino" + 0.010*"smoke" + 0.010*"green" + 0.008*"smell" + '
  '0.006*"chip" + 0.006*"fajita" + 0.005*"option" + 0.004*"worry" + '
  '0.004*"panera" + 0.004*"tasting"'),
 (3,
  '0.042*"order" + 0.032*"pizza" + 0.024*"chicken" + 0.022*"sauce" + '
  '0.022*"taste" + 0.019*"cheese" + 0.017*"fry" + 0.017*"sandwich" + '
  '0.016*"salad" + 0.014*"meat"'),
 (4,
  '0.031*"food" + 0.025*"service" + 0.025*"place" + 0.022*"drink" + '
  '0.018*"bar" + 0.013*"beer" + 0.011*"restaurant" + 0.010*"night" + '
  '0.009*"bartender" + 0.008*"staff"'),
 (5,
  '0.053*"food" + 0.042*"place" + 0.020*"taste" + 0.018*"price" + 0.015*"eat" '
  '+ 0.013*"burger" + 0.012*"try" + 0.012*"quality" + 0.011*"restaurant" + '
  '0.011*"fry"')]
In [486]:
get_coherence_score(lda_model6)
Coherence Score:  0.4851932559413931

Conclusion

Les topics sont bien distincts et ne chevauchent pas. En revanche, certains éléments sont redondants et remontent dans quasiment chaque topic: food, order, service, time, place. Ceci empêche la compréhension du sujet d'insatisfaction.

Comparons ce résultat à un LDA entraîné pour 4 topics.

Entraînement du modèle à 4 topics¶

In [487]:
lda_model = gensim.models.ldamodel.LdaModel(corpus=bow_corpus,
                                           id2word=id2word,
                                           num_topics=4,
                                           passes=10,
                                           alpha="auto")

Visualisation du résultat à l'aide du graphique pyLDAvis :

In [488]:
pyLDAvis.enable_notebook()
vis = pyLDAvis.gensim.prepare(lda_model, bow_corpus, id2word, mds="mmds", R=30)
vis
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/pyLDAvis/_prepare.py:228: FutureWarning: In a future version of pandas all arguments of DataFrame.drop except for the argument 'labels' will be keyword-only
  default_term_info  = pd.DataFrame({'saliency': saliency, 'Term': vocab, \
Out[488]:

Les mots-clés par topic et leur poids

Affichons les mots clés par topic et regardons leur importance au sein d'un topic donné :

In [489]:
pprint(lda_model.print_topics())
[(0,
  '0.036*"table" + 0.018*"say" + 0.015*"seat" + 0.015*"walk" + 0.015*"ask" + '
  '0.014*"wait" + 0.014*"come" + 0.013*"sit" + 0.013*"tell" + 0.012*"leave"'),
 (1,
  '0.032*"order" + 0.024*"taste" + 0.017*"chicken" + 0.015*"fry" + '
  '0.014*"food" + 0.014*"sauce" + 0.013*"cheese" + 0.012*"salad" + '
  '0.012*"come" + 0.011*"place"'),
 (2,
  '0.053*"order" + 0.035*"food" + 0.028*"time" + 0.027*"take" + '
  '0.018*"service" + 0.018*"come" + 0.017*"minute" + 0.016*"wait" + '
  '0.015*"say" + 0.014*"ask"'),
 (3,
  '0.054*"food" + 0.040*"place" + 0.024*"service" + 0.013*"price" + '
  '0.013*"time" + 0.012*"eat" + 0.011*"restaurant" + 0.010*"come" + '
  '0.009*"drink" + 0.008*"try"')]

Les topics sont également bien distincts et bien séparés. Comme précédemment, il est difficile d'interpréter les topics étant donné la redondance de certains éléments : order, food, place, time.

Vérifions le Coherence score pour ce modèle :

In [490]:
get_coherence_score(lda_model)
Coherence Score:  0.4765465350138988

Un score légèrement moins élevé par rapport à un LDA à 6 topics. Comparons ce résultat à un LDA entraîné pour 8 topics :

Entraînement du modèle à 8 topics¶

In [491]:
lda_model8 = gensim.models.ldamodel.LdaModel(corpus=bow_corpus,
                                           id2word=id2word,
                                           num_topics=8,
                                           passes=10,
                                           alpha="auto")

Visualisation du résultat à l'aide du graphique pyLDAvis :

In [492]:
pyLDAvis.enable_notebook()
vis = pyLDAvis.gensim.prepare(lda_model8, bow_corpus, id2word, mds="mmds", R=30)
vis
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/pyLDAvis/_prepare.py:228: FutureWarning: In a future version of pandas all arguments of DataFrame.drop except for the argument 'labels' will be keyword-only
  default_term_info  = pd.DataFrame({'saliency': saliency, 'Term': vocab, \
Out[492]:

Les mots-clés par topic et leur poids

L'outil LDA permet d'interpréter les résultats de la modélisation. A gauche on voit les topics et leur poids, à droite les top 30 mots-clés attribués aux topics. Affichons les mots clés par topic et regardons leur importance au sein d'un topic donné :

In [493]:
pprint(lda_model8.print_topics())
[(0,
  '0.045*"food" + 0.030*"table" + 0.029*"service" + 0.025*"come" + '
  '0.024*"wait" + 0.022*"drink" + 0.018*"place" + 0.016*"minute" + '
  '0.016*"take" + 0.015*"ask"'),
 (1,
  '0.083*"food" + 0.045*"place" + 0.028*"price" + 0.027*"service" + '
  '0.017*"taste" + 0.017*"restaurant" + 0.014*"menu" + 0.014*"quality" + '
  '0.012*"eat" + 0.012*"try"'),
 (2,
  '0.035*"burger" + 0.028*"fry" + 0.021*"place" + 0.019*"time" + 0.012*"come" '
  '+ 0.012*"food" + 0.011*"taste" + 0.011*"use" + 0.010*"cook" + 0.009*"make"'),
 (3,
  '0.039*"breakfast" + 0.035*"coffee" + 0.025*"egg" + 0.018*"steak" + '
  '0.016*"place" + 0.013*"cake" + 0.013*"pancake" + 0.012*"brunch" + '
  '0.012*"toast" + 0.011*"potato"'),
 (4,
  '0.057*"sandwich" + 0.038*"wing" + 0.017*"cheese" + 0.014*"make" + '
  '0.008*"think" + 0.008*"order" + 0.008*"use" + 0.008*"hair" + 0.006*"pie" + '
  '0.006*"sub"'),
 (5,
  '0.027*"place" + 0.022*"location" + 0.019*"food" + 0.014*"time" + '
  '0.013*"service" + 0.012*"employee" + 0.011*"staff" + 0.011*"look" + '
  '0.010*"work" + 0.009*"say"'),
 (6,
  '0.072*"order" + 0.030*"pizza" + 0.029*"time" + 0.025*"take" + 0.025*"food" '
  '+ 0.023*"say" + 0.017*"tell" + 0.016*"call" + 0.016*"come" + 0.014*"ask"'),
 (7,
  '0.040*"order" + 0.029*"chicken" + 0.024*"taste" + 0.021*"salad" + '
  '0.018*"fry" + 0.018*"sauce" + 0.015*"eat" + 0.014*"rice" + 0.013*"meat" + '
  '0.013*"come"')]

Vérifions le score de cohérence :

In [494]:
get_coherence_score(lda_model8)
Coherence Score:  0.42657554164091327

Le score de cohérence est moins élevé par rapport aux scores précedents. Néanmoins, pour la suite de l'analyse, nous allons étudier de plus près les résultats du LDA pour 4 topics.

Analyse et interprétation des résultats ¶

Echantillon par topic¶

Nous allons afficher à présent des échantillons de phrases pour un topic donné. Vérifions quelles sont les phrases les plus exemplaires :

In [495]:
def format_topics_sentences(ldamodel=lda_model, corpus=corpus, texts=data):
    # Init output
    sent_topics_df = pd.DataFrame()

    # Get main topic in each document
    for i, row in enumerate(ldamodel[corpus]):
        row = sorted(row, key=lambda x: (x[1]), reverse=True)
        # Get the Dominant topic, Perc Contribution and Keywords for each document
        for j, (topic_num, prop_topic) in enumerate(row):
            if j == 0:  # => dominant topic
                wp = ldamodel.show_topic(topic_num)
                topic_keywords = ", ".join([word for word, prop in wp])
                sent_topics_df = sent_topics_df.append(pd.Series([int(topic_num), round(prop_topic,4), topic_keywords]), ignore_index=True)
            else:
                break
    sent_topics_df.columns = ['Dominant_Topic', 'Perc_Contribution', 'Topic_Keywords']

    # Add original text to the end of the output
    contents = pd.Series(texts)
    sent_topics_df = pd.concat([sent_topics_df, contents], axis=1)
    return(sent_topics_df)
In [496]:
df_topic_sents_keywords = format_topics_sentences(ldamodel=lda_model, corpus=bow_corpus, texts=corpus_list)
In [497]:
sent_topics_sorteddf_mallet = pd.DataFrame()
sent_topics_outdf_grpd = df_topic_sents_keywords.groupby('Dominant_Topic')

for i, grp in sent_topics_outdf_grpd:
    sent_topics_sorteddf_mallet = pd.concat([sent_topics_sorteddf_mallet, 
                                             grp.sort_values(['Perc_Contribution'], ascending=False).head(1)], 
                                            axis=0)

# Reset Index    
sent_topics_sorteddf_mallet.reset_index(drop=True, inplace=True)

# Format
sent_topics_sorteddf_mallet.columns = ['Topic_Num', "Topic_Perc_Contrib", "Keywords", "Representative Text"]

# Show
sent_topics_sorteddf_mallet.head()
Out[497]:
Topic_Num Topic_Perc_Contrib Keywords Representative Text
0 0.0 0.9747 table, say, seat, walk, ask, wait, come, sit, tell, leave I came to this bar, was inside for a total of five minutes before some rando...
1 1.0 0.9763 order, taste, chicken, fry, food, sauce, cheese, salad, come, place One of the worst BBQs ever. I orders everything without sauce so that I cou...
2 2.0 0.9807 order, food, time, take, service, come, minute, wait, say, ask The pizza is great. Brusell sprouts on a pizza is where it's at. Their onli...
3 3.0 0.9869 food, place, service, price, time, eat, restaurant, come, drink, try If you can not tolerate smoke, stay away from this casino. Cigar smoking is ...

Le tableau permet d'avoir un aperçu des mots-clés et leur contribution à un topic donné. On retrouve dans les échantillons cités dans la dernière colonne les Keywords propres à chaque Topic. Nous allons les afficher en WordCloud pour avoir un meilleur aperçu de leur poids.

Word Cloud par topic¶

Les mots les plus exposés sont ceux les plus importants pour un topic donné :

In [498]:
# more colors: 'mcolors.XKCD_COLORS'
cols = [color for name, color in mcolors.TABLEAU_COLORS.items()]

cloud = WordCloud(stopwords=stop_words,
                  background_color='white',
                  width=2500,
                  height=1800,
                  max_words=10,
                  colormap='tab10',
                  color_func=lambda *args, **kwargs: cols[i],
                  prefer_horizontal=1.0)

topics = lda_model.show_topics(formatted=False)

fig, axes = plt.subplots(2, 2, figsize=(10, 8), sharex=True, sharey=True)

for i, ax in enumerate(axes.flat):
    fig.add_subplot(ax)
    topic_words = dict(topics[i][1])
    cloud.generate_from_frequencies(topic_words, max_font_size=300)
    plt.gca().imshow(cloud)
    plt.gca().set_title('Topic ' + str(i), fontdict=dict(size=16))
    plt.gca().axis('off')


plt.subplots_adjust(wspace=0, hspace=0)
plt.axis('off')
plt.margins(x=0, y=0)
plt.tight_layout()
plt.show()

Le WordCloud permet de mieux visualiser les termes faisant partie d'un topic donné. Les sources du mécontentement semblent être les suivantes :

  • Topic 0 : l'expérience vécue lors de la réservation d'une table
  • Topic 1 : la qualité de la nourriture, le goût des plats commandés
  • Topic 2 : l'attente : les délais d'attente du plat ou attente pour se faire servir
  • Topic 3 : la qualité du service dans un établissement

Topic dominant par document¶

Le calcul de topic dominant par document permet de confirmer le choix de 4 Topics. C'est la colonne % Contrib qui indique le pourcentage de contribution d'un topic à un document donné :

In [499]:
# Format
df_dominant_topic = df_topic_sents_keywords.reset_index()
df_dominant_topic.columns = ['Doc No', 'Topic', '% Contrib', 'Topic Keywords', 'Text']
In [500]:
# Show
df_dominant_topic.head(10)
Out[500]:
Doc No Topic % Contrib Topic Keywords Text
0 0 2.0 0.9366 order, food, time, take, service, come, minute, wait, say, ask Waited several minutes waiting to order. I was the only car waiting. An empl...
1 1 3.0 0.4780 food, place, service, price, time, eat, restaurant, come, drink, try Went there at 4am and there was only one waitress. I don't go to Denny's oft...
2 2 3.0 0.9269 food, place, service, price, time, eat, restaurant, come, drink, try Food was decent, staff were accommodating. Restaurant was a filthy mess, dis...
3 3 1.0 0.9512 order, taste, chicken, fry, food, sauce, cheese, salad, come, place The worst Chicken Parm. Sandwich I've ever eaten. The chicken was dry and fl...
4 4 2.0 0.7678 order, food, time, take, service, come, minute, wait, say, ask I live in the neighborhood and used to order at least once a week and pick u...
5 5 1.0 0.6597 order, taste, chicken, fry, food, sauce, cheese, salad, come, place 3rd time ordering out and the sushi was just disgusting. I ordered the spicy...
6 6 1.0 0.7912 order, taste, chicken, fry, food, sauce, cheese, salad, come, place Mostly rice, very little meet. Dol sot pot was not hot enough to crisp the r...
7 7 3.0 0.7202 food, place, service, price, time, eat, restaurant, come, drink, try Uh I don't understand why there is such a craze for this place. When I went,...
8 8 3.0 0.3816 food, place, service, price, time, eat, restaurant, come, drink, try The kids who work at Roast are friendly. They screw up things once in a blu...
9 9 0.0 0.4343 table, say, seat, walk, ask, wait, come, sit, tell, leave Please, this place makes a semi-new menu and raised their prices. The food i...

Certains documents représentent une très forte contribution de topics :

  • document n° 3 - environ 0,95% de contribution du topic 1
  • document n° 2 - environ 0,93% de contribution du topic 3
  • document n° 0 - environ 0,93% de contribution du topic 2

En revanche, le document n° 8 présente une faible contribution (topic 3) - à peine 0,38%.

On constate également une faible représentation du Topic 1 parmi les exemples. Vérifions les statistiques concernant le pourcentage des Topics identifiés par rapport à la volumétrie des documents.

Combien de documents pour chaque topic

Finalement, nous allons vérifier comment sont répartis les 4 topics dans tout le corpus :

In [501]:
# Number of Documents for Each Topic
topic_counts = df_topic_sents_keywords['Dominant_Topic'].value_counts()

# Percentage of Documents for Each Topic
topic_contribution = round(topic_counts/topic_counts.sum(), 4)

# Concatenate Column wise
df_dominant_topics = pd.concat([topic_counts, topic_contribution], axis=1)

# Change Column names
df_dominant_topics.columns = ['Nb Docs', '% Docs']
df_dominant_topics
Out[501]:
Nb Docs % Docs
3.0 3879 0.3900
2.0 2768 0.2783
1.0 2366 0.2379
0.0 933 0.0938
  • Le Topic le plus souvent évoqué dans les avis clients est le Topic 3 - environ 40%.
  • Le Topic 2 remonte également assez souvent - environ 28%.
  • Le sujet le moins représentatif parmi les avis clients est le Topic 0 - moins d'un %.

Visualisation en 3D avec TSNE

La représentation en 3 dimensions, avec l'algorithme tsne, va nous permettre de visualiser nos documents par topic.

In [502]:
# Get topic weights and dominant topics
from sklearn.manifold import TSNE
from bokeh.plotting import figure, output_file, show
from bokeh.models import Label
from bokeh.io import output_notebook
In [503]:
# Get topic weights
topic_weights = []
for i, row_list in enumerate(lda_model[bow_corpus]):
    topic_weights.append([w for i, w in row_list])
In [504]:
# Array of topic weights    
arr = pd.DataFrame(topic_weights).fillna(0).values

# Dominant topic number in each doc
topic_num = np.argmax(arr, axis=1)

# tSNE Dimension Reduction
tsne_model = TSNE(n_components=3, verbose=1, random_state=0, angle=.99, init='pca')
tsne_lda = tsne_model.fit_transform(arr)
/home/sylwia/.local/lib/python3.9/site-packages/sklearn/manifold/_t_sne.py:790: FutureWarning: The default learning rate in TSNE will change from 200.0 to 'auto' in 1.2.
  warnings.warn(
[t-SNE] Computing 91 nearest neighbors...
[t-SNE] Indexed 9946 samples in 0.008s...
[t-SNE] Computed neighbors for 9946 samples in 0.213s...
[t-SNE] Computed conditional probabilities for sample 1000 / 9946
[t-SNE] Computed conditional probabilities for sample 2000 / 9946
[t-SNE] Computed conditional probabilities for sample 3000 / 9946
[t-SNE] Computed conditional probabilities for sample 4000 / 9946
[t-SNE] Computed conditional probabilities for sample 5000 / 9946
[t-SNE] Computed conditional probabilities for sample 6000 / 9946
[t-SNE] Computed conditional probabilities for sample 7000 / 9946
[t-SNE] Computed conditional probabilities for sample 8000 / 9946
[t-SNE] Computed conditional probabilities for sample 9000 / 9946
[t-SNE] Computed conditional probabilities for sample 9946 / 9946
[t-SNE] Mean sigma: 0.005148
/home/sylwia/.local/lib/python3.9/site-packages/sklearn/manifold/_t_sne.py:982: FutureWarning: The PCA initialization in TSNE will change to have the standard deviation of PC1 equal to 1e-4 in 1.2. This will ensure better convergence.
  warnings.warn(
[t-SNE] KL divergence after 250 iterations with early exaggeration: 65.470764
[t-SNE] KL divergence after 1000 iterations: 0.675699

Création du dataframe contenant les poids des 4 topics :

In [505]:
topic_weight_df = pd.DataFrame(topic_weights).fillna(0)
In [506]:
topic_weight_df['topic_num'] = topic_weight_df.idxmax(axis=1)
In [507]:
topic_weight_df.head()
Out[507]:
0 1 2 3 topic_num
0 0.017219 0.936605 0.037515 0.000000 1
1 0.321286 0.195889 0.478307 0.000000 2
2 0.012085 0.025054 0.035959 0.926902 3
3 0.951258 0.013903 0.029312 0.000000 0
4 0.768081 0.217384 0.000000 0.000000 0

Création d'un dataframe contenant les 3 composantes principales et assignation des topics :

In [508]:
df_tsne_lda = pd.DataFrame(tsne_lda[:,0:3], columns=['tsne1', 'tsne2','tsne3'])
df_tsne_lda["topic_num"] = topic_weight_df["topic_num"]
df_tsne_lda.head()
Out[508]:
tsne1 tsne2 tsne3 topic_num
0 -5.034081 -10.198115 -14.407034 1
1 6.080259 5.014000 -6.865639 2
2 2.842306 -5.321288 21.059443 3
3 -5.280958 8.116127 17.880976 0
4 -10.069311 14.955600 3.863564 0
In [509]:
print(df_tsne_lda.shape)
(9946, 4)

Visualisation des résultats :

In [510]:
from mpl_toolkits import mplot3d

n_topics = 4

# Creating figure
fig = plt.figure(figsize=(16, 9))
ax = fig.add_subplot(111, projection='3d')

# Add x, y, z gridlines
ax.grid(b=True, color='grey',
        linestyle='-.', linewidth=0.3,
        alpha=0.2)

x = df_tsne_lda['tsne1']
y = df_tsne_lda['tsne2']
z = df_tsne_lda['tsne3']

# Creating plot
sctt = ax.scatter3D(xs=x, ys=y, zs=z,
                    alpha=0.8,
                    c=df_tsne_lda['topic_num'],
                    marker='^')

plt.title("t-SNE Clustering of {} LDA Topics".format(n_topics))
ax.set_xlabel('X-axis', fontweight='bold')
ax.set_ylabel('Y-axis', fontweight='bold')
ax.set_zlabel('Z-axis', fontweight='bold')
fig.colorbar(sctt, ax=ax, shrink=0.5, aspect=5)
plt.show()
In [689]:
pprint(lda_model.print_topics())
[(0,
  '0.036*"table" + 0.018*"say" + 0.015*"seat" + 0.015*"walk" + 0.015*"ask" + '
  '0.014*"wait" + 0.014*"come" + 0.013*"sit" + 0.013*"tell" + 0.012*"leave"'),
 (1,
  '0.032*"order" + 0.024*"taste" + 0.017*"chicken" + 0.015*"fry" + '
  '0.014*"food" + 0.014*"sauce" + 0.013*"cheese" + 0.012*"salad" + '
  '0.012*"come" + 0.011*"place"'),
 (2,
  '0.053*"order" + 0.035*"food" + 0.028*"time" + 0.027*"take" + '
  '0.018*"service" + 0.018*"come" + 0.017*"minute" + 0.016*"wait" + '
  '0.015*"say" + 0.014*"ask"'),
 (3,
  '0.054*"food" + 0.040*"place" + 0.024*"service" + 0.013*"price" + '
  '0.013*"time" + 0.012*"eat" + 0.011*"restaurant" + 0.010*"come" + '
  '0.009*"drink" + 0.008*"try"')]

La vue 3D permet de distinguer les clusters suivants :

  • en violet - cluster 0 - correspond aux termes table, say, seat, talk
  • en bleu - cluster 1 - correspond aux termes order, taste, chicken, fry
  • en vert - cluster 2 - correspond aux termes order, food, time, take
  • en jaune - cluster 3 - correspond aux termes food, place, service, price

Conclusion

Nous avons réussi à visualiser les principaux mots utilisés pour exprimer l’insatisfaction, et par conséquent définir les sources du mécontentement des clients :

  • la qualité de la nourriture, le goût des plats commandés
  • les délais d'attente du plat ou attente pour se faire servir
  • la qualité du service

Il faudrait bien sûr apporter des améliorations, par exemple peaufiner la sélection des mots-clés. Néanmoins, une première analyse a permis d'identifier les principaux sujets d'insatisfaction.

2. Classification automatique d’images ¶

L'objectif de ce chapitre est de vérifier la faisabilité de classifier automatiquement les images.

L'analyse se fera en plusieurs étapes :

  1. Analyse et transformation d'une image de test
  • niveaux de gris
  • equalization
  • filtrage bruit
  • contraste, floutage…
  • affichage de l'histogramme
  1. Extraction des descripteurs
  • génération des « features » des images via un bag of virtual words
    • création de clusters de descripteurs
    • comptage pour chaque image du nombre de descripteurs par cluster
  1. Réduction de dimensions
  • Réaliser un ACP
  • Réaliser un T-SNE
  1. Analyse de mesures
  • Analyser les similarités entre les catégories et clusters

Préparation du jeu de données¶

Afin de récupérer les photos, on reprend notre jeu de données initial. Dans un premier temps on récupère les identifiants des établissements qui se trouvent dans la colonne business_id. Ensuite, nous allons chercher ces id parmi les photos du fichier au format json.

In [511]:
# Chargement du jeu de données
data = joblib.load('df_clean')
In [512]:
# Affichage du datatset initial
#pd.options.display.max_colwidth = 100
data.head(3)
Out[512]:
business_id name address city state postal_code review_count is_open attributes categories review_id user_id stars text date length
0 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': "u'full_bar'", 'RestaurantsAttire': "u'casual'... Pubs, Restaurants, Italian, Bars, American (Traditional), Nightlife, Greek QPZ66Xk54CprqZgTW1QTdQ m6YhwUNoehMm6s52w9A4eA 2.0 Wife and I have eaten lunch here a few times over the past 6-weeks. Always ... 2013-10-25 15:39:01 998
1 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': "u'full_bar'", 'RestaurantsAttire': "u'casual'... Pubs, Restaurants, Italian, Bars, American (Traditional), Nightlife, Greek yUpKEiSWjcix-zWHFMT39w -YAnRx8VSDkASxlylv3dyg 1.0 After about 7 minutes of waiting patiently for any form of life to serve us,... 2014-07-16 19:17:34 939
2 k0hlBqXX-Bt0vf1op7Jr1w Tsevi's Pub And Grill 8025 Mackenzie Rd Affton MO 63123 19 0 {'Caters': 'True', 'Alcohol': "u'full_bar'", 'RestaurantsAttire': "u'casual'... Pubs, Restaurants, Italian, Bars, American (Traditional), Nightlife, Greek JR0MWE4psJqD2MyHbMckxA WJ-veSDe63t0HnCu2E1NSA 1.0 Three of us decided to try this place out last weekend after driving past it... 2012-12-17 18:37:23 1228
In [513]:
# Récupération les identifiants des restaurants
restaurant_ids = data["business_id"].tolist()
In [514]:
def get_photos(restaurant_ids):
    """Renvoie un DataFrame des liens des photos.

    Parameters
    ----------
        restaurant_ids : list
            Liste des ids des business de type restaurant.

    Returns
    ----------
        DataFrame
            DataFrame des photos.
    """
    
    file_url = "/home/sylwia/Jupyter/P6_NLP/yelp_photos.json"
    photos = []

    line_nb = sum(1 for line in open(file_url, encoding="UTF-8"))

    with open(file_url, encoding="UTF-8") as f:
        for line in tqdm(f, total=line_nb, leave=False):
            line_json = json.loads(line)
            photos.append(line_json)
          
    photos = pd.DataFrame(photos)
    
    # On ne conserve que les restaurants
    photos = photos[photos["business_id"].isin(restaurant_ids)]

    return photos
In [515]:
# Nouveau dataframe contenant les photos assignées aux établissements
photos = get_photos(restaurant_ids)
                                                                                
In [516]:
photos.head(8)
Out[516]:
photo_id business_id caption label
3 pve7D6NUrafHW3EAORubyw SZU9c8V2GuREDN5KgyHFJw Shrimp scampi food
50 Kw4cqVChYxm4mSxAimHiNA sr-5EY6bmp4jINhea06MjA Inside seating inside
74 EeFlax7UCEI8Xrf3k27EQA V9XlikTxq0My4gE8LULsjw food
80 vQ4f78kbIvE52xZBMKi65w vUrTGX_7HxqeoQ_6QCVz6g inside
89 tdqcGXATfpCeG7VXtsJhbQ H1bbYNKgk6JF9pKcBXyDXw food
166 jRCPOPPwMCurD7RcfkYZ2g H1ZTsd_d-wvunsT3ZmoBvg food
171 GFmkCThOCIwEvhGszF-ctw E9-k8aOCS2sSh9RYxvWU_A outside
181 AiYp7_QSILeBIRCsLZ_ycw 3YERGr7UbpSpddqL0Eiu5g Camerón Albañil food
In [517]:
photos.size
Out[517]:
48672
In [518]:
# Sauvegarde du fichier
joblib.dump(photos, 'data_photos')
Out[518]:
['data_photos']

Analyse exploratoire

In [519]:
df_photos = joblib.load('data_photos')

Nous avons donc pu charger les id des photos assignés à un business id. La colonne label du jeu de données contient l'information très importante sur la catégorie dans laquelle une photo a été classée :

In [520]:
df_photos.label.unique()
Out[520]:
array(['food', 'inside', 'outside', 'drink', 'menu'], dtype=object)

Il existe cinq labels. Vérifions la répartition des labels par rapport au nombre total des photos :

In [521]:
plt.figure(figsize=(14,6))
sns.countplot(x='label', data=df_photos)
plt.title('Distribution des labels attribués')
plt.xlabel('Label attribué')
plt.ylabel('Quantité de photos')
plt.show()

df_photos["label"].value_counts(normalize=True)
Out[521]:
food       0.574458
inside     0.271285
outside    0.084895
drink      0.062459
menu       0.006903
Name: label, dtype: float64

Les photos les plus nombreuses (plus de 56%) illustrent la nourriture. Le menu a été le moins photographié par les clients (moins de 1%).

Echantillon pour labellisation automatique

Pour vérifier la faisabilité de labellisation, nous allons travailler sur 200 images par catégorie. Nous allons donc procéder à une extraction de 200 échantillons par label :

In [522]:
df_photos["label"].value_counts(normalize=False)
Out[522]:
food       6990
inside     3301
outside    1033
drink       760
menu         84
Name: label, dtype: int64

Seulement 84 images de la catégorie menu. Nous allons isoler cette catégorie, puis sélectionner 200 échantillons et ensuite concaténer la totalité des données.

Le dataframe contenant uniquement la catégorie "menu" :

In [523]:
photo_menu = df_photos[df_photos["label"]=='menu']
photo_menu.shape
Out[523]:
(84, 4)
In [524]:
photo_menu.head(3)
Out[524]:
photo_id business_id caption label
649 JY6hZBHzvbqJ5HJcK9oBAQ _EKvNMC2Mm67HzqNIzLgXg menu
1895 EI9gEoh3By37eTn08oq_cA SlZJATE_TGUU8X34UJNi4g menu
4333 _eFLW9aG42ctX0a_UyRXzg A-8K66Kx7fMXkayG_3zdJQ Menu menu

Le dataframe contenant les autres catégories :

In [525]:
other_labels = ("food","inside","outside","drink")
photo_others = df_photos[df_photos['label'].isin(other_labels)]
photo_others.shape
Out[525]:
(12084, 4)
In [526]:
photo_others.head(3)
Out[526]:
photo_id business_id caption label
3 pve7D6NUrafHW3EAORubyw SZU9c8V2GuREDN5KgyHFJw Shrimp scampi food
50 Kw4cqVChYxm4mSxAimHiNA sr-5EY6bmp4jINhea06MjA Inside seating inside
74 EeFlax7UCEI8Xrf3k27EQA V9XlikTxq0My4gE8LULsjw food
In [527]:
photo_others.label.unique()
Out[527]:
array(['food', 'inside', 'outside', 'drink'], dtype=object)

Sélection de 200 échantillons par label :

In [528]:
photo_samples = photo_others.groupby("label").sample(n=200, random_state=10)
photo_samples.shape
Out[528]:
(800, 4)
In [529]:
photo_samples.head()
Out[529]:
photo_id business_id caption label
106090 iyNennVE5jqTm2tnJqI0-A Yll7kUVI7j0gArBMQKpEaQ drink
62257 kCs-igHmp-j6s4dLwcGjww Fp2Dk2__WHq7SK1Ah6oo0Q Fresh elixirs in every color and combo drink
46728 eQ4ddWObymR6Z1zde4FX2Q cg4JFJcCxRTTMmcg9O9KtA Farmer's Daughter\nGin, egg white, bitter truth violet drink
194385 GQLaOXDbA9PQdRM3w5q2kg hRPH-pAQmxSiyyxTfljusA Great wine selection! drink
12208 98Nm9b2RcztVwUtIb1wNjA aJvxWyQIG5OLfBw3qAe8xA drink

Concaténation des dataframes "photo_menu" avec les autres labels "photo_samples" :

In [530]:
df_photo_samples = pd.concat([photo_samples, photo_menu])
df_photo_samples.head()
Out[530]:
photo_id business_id caption label
106090 iyNennVE5jqTm2tnJqI0-A Yll7kUVI7j0gArBMQKpEaQ drink
62257 kCs-igHmp-j6s4dLwcGjww Fp2Dk2__WHq7SK1Ah6oo0Q Fresh elixirs in every color and combo drink
46728 eQ4ddWObymR6Z1zde4FX2Q cg4JFJcCxRTTMmcg9O9KtA Farmer's Daughter\nGin, egg white, bitter truth violet drink
194385 GQLaOXDbA9PQdRM3w5q2kg hRPH-pAQmxSiyyxTfljusA Great wine selection! drink
12208 98Nm9b2RcztVwUtIb1wNjA aJvxWyQIG5OLfBw3qAe8xA drink
In [531]:
df_photo_samples.label.unique()
Out[531]:
array(['drink', 'food', 'inside', 'outside', 'menu'], dtype=object)
In [532]:
df_photo_samples.shape
Out[532]:
(884, 4)
In [533]:
#photo_samples = df_photo_samples.reset_index()
#photo_samples = df_photo_samples.drop(columns=['index'])

Finalement, notre jeu de données contient 884 photos :

In [534]:
df_photo_samples["label"].value_counts(normalize=False)
Out[534]:
drink      200
food       200
inside     200
outside    200
menu        84
Name: label, dtype: int64
In [535]:
# Vérification si doublons
df_photo_samples.duplicated().sum()
Out[535]:
0

Préprocessing ¶

Le préprocessing a pour objectif d'améliorer les propriétés d'une image en vue d'un futur entraînement, grâce à tout un ensemble de processus, comme :

  • niveaux de gris
  • equalization
  • filtrage bruit
  • contraste, floutage...
  • affichage de l'histogramme

Nous allons appliquer les processus listés ci-dessus sur une photo-exemple. Pour cela, nous allons utiliser la bibliothèque graphique OpenCV - Open Computer Vision spécialisée dans le traitement d'images.

In [536]:
def show_image (image, title, cmap_type='gray') :
    plt.figure(num=None, figsize=(10, 8), dpi=80)
    plt.imshow(image)
    plt.axis('off')
    plt.title(title)
    plt.show()
In [537]:
def img_comp(original, filtered, title_1, title2):
    fig, (ax1, ax2) = plt.subplots(
        ncols=2, figsize=(10, 8), sharex=True, sharey=True)
    ax1.imshow(original, cmap=plt.cm.gray)
    ax1.set_title(title_1)
    ax1.axis('off')
    ax2.imshow(filtered, cmap=plt.cm.gray)
    ax2.set_title(title2)
    ax2.axis('off')

Analyse et transformation d'une image de test ¶

Chargeons une image de test :

In [538]:
img = Image.open("png/dark.jpg")
show_image(img, title="Photo exemple")

La photo est foncée et floue. Essayons d'afficher la photo sous forme d'histogramme.

Dans le contexte d'une image numérique, il s'agit d'un graphique ou un tracé, ce qui donne une idée globale de la distribution d'intensité d'une image. Le tracé contient des valeurs de pixels (allant de 0 à 255) sur l'axe X et le nombre correspondant de pixels sur l'axe Y.

In [539]:
img = cv2.imread('png/dark.jpg')
color = ('b','g','r')
plt.figure(figsize=(12, 8))
for i,col in enumerate(color):
    histr = cv2.calcHist([img],[i],None,[256],[0,256])
    plt.plot(histr, color = col)
    plt.xlim([0,256])
plt.title("Histogramme RGB de la photo exemple")
plt.show()

Le bleu et le vert atteignent plus de 3000 valeurs.

Size¶

On commence par une vérification de la taille de l'image :

In [540]:
print('Dimensions : ', img.size)
Dimensions :  360000

La définition de notre image est donc de 300 pixels par 400 pixels.

Niveaux de gris¶

Une image en niveaux de gris (2D grayscale) est très utile pour un traitement ultérieur de la segmentation. Un input RGB doit donc être converti en greyscale.

Pour lire l’image directement en niveau de gris (avec la conversion couleur -> niveau de gris) on peut procéder de plusieurs façons. Ici on va utiliser trois types de transformation :

  • l’option as_gray=True
  • la fonction rgb2gray()
  • la fonction COLOR_BGR2GRAY

Regardons comment évolue notre image exemple :

In [542]:
# l’option as_gray=True
img_Gray = imread('png/dark.jpg', as_gray=True)
In [543]:
# la fonction rgb2gray()
img1_Gray = imread('png/dark.jpg')
img2_Gray = rgb2gray(img1_Gray)
In [544]:
# la fonction COLOR_BGR2GRAY
img3_Gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)

Comparons les résultats :

In [545]:
img_comp(img, img2_Gray, "Image d'origine","Niveaux de gris avec 'rgb2gray'")
In [546]:
img_comp(img, img3_Gray, "Niveaux de gris avec 'as_gray=True'","Niveaux de gris avec 'COLOR_BGR2GRAY'")

Noir et blanc¶

Essayons de convertir l’image en noir et blanc. Pour cela nous allons utiliser la méthode de Numpy where qui permet de remplacer les éléments d’une matrice sous une condition. Dans notre cas, on remplacera :

  • par 0 tous les éléments inférieurs à 84
  • par 1 tous les autres :
In [690]:
img_black_white = np.where(img2_Gray>84/256, 0, 1)
plt.figure(num=None, figsize=(6, 4), dpi=80)
imshow(img_black_white, cmap=plt.get_cmap('gray'))
plt.show()
/home/sylwia/anaconda3/envs/nlp/lib/python3.9/site-packages/skimage/io/_plugins/matplotlib_plugin.py:150: UserWarning: Low image data range; displaying image with stretched contrast.
  lo, hi, cmap = _get_display_range(image)

Egalisation¶

L'objectif d'une égalisation est d'améliorer le contraste de l'image : soit lui redonner du peps, soit l'adoucir.

Une technique permettant de réajuster le contraste d'une image est l'égalisation des histogrammes : il s'agit d'harmoniser la distribution des niveaux de gris de l'image, de sorte que chaque niveau de l'histogramme contienne idéalement le même nombre de pixels.

Implémentation Numpy

In [548]:
hist,bins = np.histogram(img.flatten(),256,[0,256])

# cumulative distribution function
cdf = hist.cumsum()
cdf_normalized = cdf * float(hist.max()) / cdf.max()
In [549]:
plt.plot(cdf_normalized, color = 'b')
plt.hist(img.flatten(),256,[0,256], color = 'r')
plt.xlim([0,256])
plt.legend(('cdf','histogram'), loc = 'upper left')
plt.show()

On constate que les barres de l'histogramme se situent dans une région plus foncée (0). Nous avons besoin du spectre complet. Pour cela, nous avons besoin d'une fonction de transformation qui mappe les pixels dans la zone la plus lumineuse aux pixels dans toute la zone.

In [550]:
cdf_m = np.ma.masked_equal(cdf,0)
cdf_m = (cdf_m - cdf_m.min())*255/(cdf_m.max()-cdf_m.min())
cdf = np.ma.filled(cdf_m,0).astype('uint8')
In [551]:
# Génération de la nouvelle image égalisée
img2 = cdf[img]

Vérifions l'évolution de l'histogramme après la redistribution des valeurs.

In [552]:
hist,bins = np.histogram(img2.flatten(),256,[0,256])
cdf = hist.cumsum()
cdf_normalized = cdf * float(hist.max()) / cdf.max()

plt.plot(cdf_normalized, color = 'b')
plt.hist(img2.flatten(),256,[0,256], color = 'r')
plt.xlim([0,256])
plt.legend(('cdf','histogram'), loc = 'upper left')
plt.show()

Après l'égalisation, nous obtiendrons presque la même image, avec les valeurs étendues :

In [553]:
img_comp(img, img2, "Photo originale", "Image égalisée")

Implémentation OpenCV

Grâce à la fonction d'OpenCV cv.equalizeHist(), on obtient une image égalisée. L'input constitue une image en grayscale.

In [554]:
#Input - conversion en grayscale
image_gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
In [555]:
plt.hist(image_gray.flat, bins=100, range=(0,255))
plt.show()

Même constat que dans la visualisation précédente : les pixels dominants sont ceux foncés.

In [556]:
# Egalisation
equ = cv2.equalizeHist(image_gray)

# Affichage du résultat
img_comp(image_gray, equ, "Photo originale en 2D gray", "Image égalisée")
In [557]:
plt.hist(equ.flat, bins=100, range=(0,255))
plt.show()

Vue après égalisation : les pixels sont mieux étendus dans toute la zone entre 0 et 255.

Filtrage de bruit¶

Le bruit dans une image est lié à la qualité d'une photo.

D'un point de vue numérique, le bruit peut être vu comme une image constituée de pixels dont les intensités ont été déterminées de manière aléatoire.

Plusieurs approches pour supprimer le bruit :

  • fastNlMeansDenoisingColored - utilisé pour supprimer le bruit des images couleur
  • fastNlMeansDenoising - utilisé pour supprimer le bruit des images en grayscale

fastNlMeansDenoisingColored

In [558]:
dst = cv2.fastNlMeansDenoisingColored(img2,None,10,10,7,12)
img_comp(img2, dst, "Photo égalisée","Photo débruitée")

Le résultat est très intéressant : le contenu du tableau a été effacé, le tshirt lissé et les reflets dans les vitres ont disparu.

fastNlMeansDenoising

Fonctionne avec une image en grayscale :

In [559]:
image_gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
In [560]:
dst = cv2.fastNlMeansDenoising(image_gray,10,10,5)
img_comp(image_gray, dst, "Photo originale égalisée","Photo débruitée")

2.1 SIFT (Scale Invariant Feature Transform) ¶

SIFT est une méthode qui permet de détecter et identifier les éléments similaires entre différentes images numériques.

L'étape fondamentale de l'algorithme consiste à calculer ce que l'on appelle les « descripteurs SIFT » des images à étudier. Les descripteurs, à leur tour, nous seront utiles pour créer les bag of visual words - un regroupement des descripteurs qui sont proches entre eux.

Pour effectuer une étude de similarité de descripteurs (rapprocher ceux qui se ressemblent), nous allons faire appel au clustering.

Avant de déterminer les descripteurs, nous allons importer les images des classes respectives.

Préparation du jeu de données - la suite¶

Le jeu de données ne contient que des ID récupérés depuis le fichier json. Nous allons à présent vérifier si les ID existent vraiment dans le répertoire contenant les fichiers .jpg.

In [561]:
data = df_photo_samples.copy()
In [562]:
data.head()
Out[562]:
photo_id business_id caption label
106090 iyNennVE5jqTm2tnJqI0-A Yll7kUVI7j0gArBMQKpEaQ drink
62257 kCs-igHmp-j6s4dLwcGjww Fp2Dk2__WHq7SK1Ah6oo0Q Fresh elixirs in every color and combo drink
46728 eQ4ddWObymR6Z1zde4FX2Q cg4JFJcCxRTTMmcg9O9KtA Farmer's Daughter\nGin, egg white, bitter truth violet drink
194385 GQLaOXDbA9PQdRM3w5q2kg hRPH-pAQmxSiyyxTfljusA Great wine selection! drink
12208 98Nm9b2RcztVwUtIb1wNjA aJvxWyQIG5OLfBw3qAe8xA drink

Nous avons concaténé 200 photos par classe :

In [563]:
data.groupby("label").count()
Out[563]:
photo_id business_id caption
label
drink 200 200 200
food 200 200 200
inside 200 200 200
menu 84 84 84
outside 200 200 200

Récupération des ID figurant dans le répertoire contenant les photos :

In [564]:
# Vérification de la volumétrie du répertoire

PATH = "/home/sylwia/Jupyter/P6_NLP/bdd_yelp/yelp_photos/photos/"
list_photos = [file for file in listdir(PATH)]
print(len(list_photos))
139886
In [565]:
# Stockage de photos dans une variable 
namelist_photos_restaurants = []

for filename in os.listdir(PATH):
    namelist_photos_restaurants.append(filename)
    
namelist_photos_restaurants = [name.split('/')[-1] for name in namelist_photos_restaurants]
namelist_photos_restaurants = [name.split('.')[0] for name in namelist_photos_restaurants]
namelist_photos_restaurants[:4]
Out[565]:
['MUtb4_BatqZEGmkjH4d5-Q',
 'IRzXSbioEX-HL9redoRraQ',
 'ts0NnWcjVzQ4PU2ivHtv2w',
 'mSwwLtQkd4NBfdQ8q6TJjA']
In [566]:
# Extraction de photos avec les ID qui nous intéressent
recup_df = data[data['photo_id'].isin(namelist_photos_restaurants)]
In [567]:
recup_df.head()
Out[567]:
photo_id business_id caption label
62257 kCs-igHmp-j6s4dLwcGjww Fp2Dk2__WHq7SK1Ah6oo0Q Fresh elixirs in every color and combo drink
46728 eQ4ddWObymR6Z1zde4FX2Q cg4JFJcCxRTTMmcg9O9KtA Farmer's Daughter\nGin, egg white, bitter truth violet drink
12208 98Nm9b2RcztVwUtIb1wNjA aJvxWyQIG5OLfBw3qAe8xA drink
110388 4V7oGBwx76v-3pgnaObvZw ERl6OCSEIFBOqfjai_jIUg drink
174415 1J0BCeWehaVukgIsTbO1fw _Dr8Bnt8us2qyPKayfj-rA drink
In [568]:
# Réinitialisation de l'index
recup_df = recup_df.reset_index(drop=True)
In [569]:
# Ajout du suffixe "jpg"
recup_df['photo_id'] = recup_df['photo_id'].apply(lambda x: x + '.jpg')
recup_df.head()
Out[569]:
photo_id business_id caption label
0 kCs-igHmp-j6s4dLwcGjww.jpg Fp2Dk2__WHq7SK1Ah6oo0Q Fresh elixirs in every color and combo drink
1 eQ4ddWObymR6Z1zde4FX2Q.jpg cg4JFJcCxRTTMmcg9O9KtA Farmer's Daughter\nGin, egg white, bitter truth violet drink
2 98Nm9b2RcztVwUtIb1wNjA.jpg aJvxWyQIG5OLfBw3qAe8xA drink
3 4V7oGBwx76v-3pgnaObvZw.jpg ERl6OCSEIFBOqfjai_jIUg drink
4 1J0BCeWehaVukgIsTbO1fw.jpg _Dr8Bnt8us2qyPKayfj-rA drink
In [570]:
data_photos=recup_df.copy()

Vérifions si le nombre de photos par classe a bougé :

In [571]:
data_photos.groupby("label").count()
Out[571]:
photo_id business_id caption
label
drink 123 123 123
food 144 144 144
inside 151 151 151
menu 56 56 56
outside 142 142 142
In [572]:
# Sauvegarde du fichier
joblib.dump(data_photos, 'df_photo_samples')
Out[572]:
['df_photo_samples']

Le nombre de fichiers a baissé. La classe "menu" ne contient que 56 photos. Il sera intéressant de voir le résultat du clustering pour une classe aussi peu nombreuse.

Affichage d'exemples d'images

Affichons quelques photos par classe :

In [573]:
from matplotlib.image import imread

def list_fct(name) :
    list_image_name = [data_photos.iloc[i].photo_id for i in range(len(data_photos)) if data_photos["label"][i]==name]
    return list_image_name
In [574]:
list_labels = ["food", "drink", "inside", "outside","menu"]

for name in list_labels :
    print(name)
    for i in range(3):
        plt.subplot(130 + 1 + i)
        filename = PATH + list_fct(name)[i+10]
        image = imread(filename)
        plt.imshow(image)
    plt.show()
food
drink
inside
outside
menu

Les photos s'affichent correctement. Passons à la construction des descripturs avec SIFT.

2.1.1 Détermination des descripteurs ¶

Un descripteur est le point le plus marquant de l'image - un keypoint.

Il s'agit d'informations numériques dérivées de l'analyse locale d'une image et qui caractérisent le contenu visuel de cette image de la façon la plus indépendante possible :

  • de l'échelle (« zoom » et résolution du capteur),
  • du cadrage,
  • de l'angle d'observation
  • et de l'exposition (luminosité).

Calcul des descripteurs ¶

...pour une première image du dataset :

In [575]:
img = cv2.imread(PATH + data_photos.iloc[1].photo_id)


# Préprocessing d'images : grayscale & égalisation
gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)
gray = cv2.equalizeHist(gray)

# Création des descripteurs
sift = cv2.SIFT_create()
kp, desc = sift.detectAndCompute(gray, None)

img = cv2.drawKeypoints(gray, kp, img)
img = cv2.drawKeypoints(
    gray, kp, img, flags=cv2.DRAW_MATCHES_FLAGS_DRAW_RICH_KEYPOINTS)


# Affichage
display(Image.fromarray(img, "RGB"))
print("Descripteurs : ", desc.shape)
print()
print(desc)
Descripteurs :  (815, 128)

[[ 49.   2.   0. ...   0.   0.   0.]
 [  5.  47.  45. ...   8.   1.   5.]
 [138. 120.   2. ...   2.   0.   1.]
 ...
 [  0.   0.   0. ...  20.  11.   3.]
 [ 15.  20.  15. ...   4.   1.  30.]
 [ 48.   7.   1. ...   0.   0.   0.]]

Conclusion

L'image a été transformée en gris et égalisée. Elle contient 815 descripteurs. Chaque descripteur est un vecteur de longueur 128 (valeurs qui permettent de distinguer les descripteurs).

Création des descripteurs par image (bag of visual words) ¶

Pour détecter les bons descripteurs, chaque image doit être prétraitée. Ici, les images seront transformées en gris et égalisées (gestion de contraste).

Ensuite nous allons procéder à :

  • une recherche de zones d'intérêt (descripteurs) par image (sift_keypoints_by_img) (ultérieurement utilisé pour les histogrammes)
  • une recherche de zones d'intérêt (descripteurs) pour l'ensemble des images (sift_keypoints_all)

En effet, il s'agit de concaténer tous les descripteurs, au même niveau, pour ensuite pouvoir créer les clusters pour l'ensemble des images.

In [587]:
# Vérification du nombre d'images à traiter
len(data_photos.photo_id)
Out[587]:
616
In [577]:
import time, cv2

# Identification des zones d'intérêt
sift_keypoints = []
temps1=time.time()
sift = cv2.xfeatures2d.SIFT_create()

# Traitement de l'ensemble des images
for image_num in range(len(data_photos.photo_id)) :
    
    # Itération par 100
    if image_num%100 == 0 : print(image_num)
    image = cv2.imread(PATH+data_photos.iloc[image_num].photo_id,0) 
    
    # Prétraitement d'images
    gray = cv2.cvtColor(img, cv2.COLOR_BGR2GRAY)  # convert in gray
    res = cv2.equalizeHist(gray)                  # equalize image histogram
    
    # Création des descripteurs
    kp, des = sift.detectAndCompute(res, None)
    sift_keypoints.append(des)
0
100
200
300
400
500
600
In [588]:
# Stockage des zones d'intérêt par image dans une array
sift_keypoints_by_img = np.asarray(sift_keypoints)

# Concaténation des zones d'intérêt de toutes les images
sift_keypoints_all = np.concatenate(sift_keypoints_by_img, axis=0)
In [589]:
print("Nombre total de descripteurs : ", sift_keypoints_all.shape)

duration1=time.time()-temps1
print("Temps de traitement SIFT descriptor : ", "%15.2f" % duration1, "secondes")
Nombre total de descripteurs :  (712712, 128)
Temps de traitement SIFT descriptor :           104.86 secondes

Conclusion

Presque 700 000 descripteurs détéctés pour 616 images ! Les descripteurs étant prêts, passons à présent à la création des clusters pour l'ensemble des images.

Création des clusters de descripteurs ¶

Pour éviter les temps de traitement trop longs, nous allons effectuer le clustering avec MiniBatchKMeans.

En effet, plus la taille du dataset est grande, plus le temps de calcul de K-means augmente en raison de sa contrainte d'avoir besoin de l'ensemble de données dans la mémoire principale. Pour cette raison, plusieurs méthodes ont été proposées pour réduire le coût temporel et spatial de l'algorithme, dont MiniBatchKmeans.

Son idée principale est d'utiliser de petits lots aléatoires de données d'une taille fixe, afin qu'ils puissent être stockés en mémoire. À chaque itération, un nouvel échantillon aléatoire du jeu de données est obtenu et utilisé pour mettre à jour les clusters ; ceci est répété jusqu'à convergence.

Choix du nombre de clusters k

La valeur k de clusters doit être suffisante pour regrouper tous les descripteurs proches (et par conséquent créer des clusters pertinents). L'objectif est d'éviter une éventuelle perte d'informations. Ici ont utilisera la racine carrée du nombre total des descripteurs pour déterminer le nombre de clusters k :

In [590]:
temps1=time.time()

# Détermination du nb de clusters via la racine carrée
k = int(round(np.sqrt(len(sift_keypoints_all)),0))

print("Nombre de clusters estimés : ", k)
Nombre de clusters estimés :  844

844 clusters vont nous servir à "ranger" chaque descripteur et préparer leur présentation visuelle.

Clustering

In [592]:
from sklearn.cluster import MiniBatchKMeans, KMeans
kmeans = MiniBatchKMeans(n_clusters=k, init_size=3*k, random_state=0)
kmeans.fit(sift_keypoints_all)

duration1=time.time()-temps1
print("Temps de traitement : ", "%15.2f" % duration1, "secondes.")
Temps de traitement :            39.07 secondes.

Une fois que le clustering est effectué, on passe au comptage du nombre de descripteurs par cluster.

Création des features des images ¶

Il est important de mentionner que le nombre de descripteurs dans un cluster (pour une image) correspond à la notion de features d'une image.

In [593]:
temps1=time.time()

# des = liste des descripteurs par image
# res = résultat de la prédiction : nb de descripteurs correspondant à un (numéro de) cluster associé

# Définition pour créer les histogrammes
def build_histogram(kmeans, des, image_num):
    res = kmeans.predict(des)
    hist = np.zeros(len(kmeans.cluster_centers_))
    nb_des=len(des)
    if nb_des==0 : print("Problème histogramme image  : ", image_num)
    for i in res:
        hist[i] += 1.0/nb_des
    return hist
In [594]:
# Creation of a matrix of histograms
hist_vectors=[]

for i, image_desc in enumerate(sift_keypoints_by_img) :
    if i%100 == 0 : print(i)  
    hist = build_histogram(kmeans, image_desc, i) #calculates the histogram
    hist_vectors.append(hist) #histogram is the feature vector

im_features = np.asarray(hist_vectors)

duration1=time.time()-temps1
print("Temps de création des histogrammes : ", "%15.2f" % duration1, "secondes.")
0
100
200
300
400
500
600
Temps de création des histogrammes :             5.50 secondes.
In [595]:
# Sauvegarde du fichier
joblib.dump(im_features, 'im_features')
Out[595]:
['im_features']
In [596]:
# Affichage du contenu de l'histogramme de features
#hist_vectors[:3]

2.1.2 Réduction de dimensions ¶

Pour visualiser les résultats (les features d'une image), il est indispensable d'effectuer une réduction de dimensions, étant donné les grandes dimensions de nos données : 616 images avec 844 features.

  • La réduction PCA :
    • une technique de réduction de dimensionnalité linéaire
    • permet de préserver la structure globale des données
    • fortement affectée par les valeurs aberrantes
    • permet de réduire les dimensions et par conséquent alléger le clustering
  • Le T-SNE :
    • une technique de réduction de dimensionnalité non-linéaire
    • permet de préserver la structure locale des données
    • peut gérer les valeurs aberrantes
    • garantit une réduction du temps de traitement
    • permet une meilleure visualisation des clusters

Conclusion

Notre objectif est de réduire la dimension des données, tout en gardant autant que possible les informations qui permettent de distinguer les observations.

Grâce au PCA, nous allons pouvoir séparer les données dans l’espace en 2 dimensions. Cependant, sachant que le PCA conserve la structure globale des données, les données sont réparties de manière diffuse (la variance expliquée des 2 premières composantes est très faible, ce qui signifie une perte d'informations).

Le TSNE, à son tour, permet une meilleure séparation des données par regroupement des données proches et éloignement des données dissemblables. Ceci permet une visualisation, et donc une analyse graphique de la séparation des données.

In [597]:
# Sauvegarde du fichier
im_features=joblib.load('im_features')
In [598]:
#Transformation de l'histogramme en dataset :
features_df = pd.DataFrame(im_features)
In [599]:
features_df.head()
Out[599]:
0 1 2 3 4 5 6 7 8 9 ... 834 835 836 837 838 839 840 841 842 843
0 0.000864 0.004322 0.002593 0.000864 0.000864 0.001729 0.000864 0.000864 0.002593 0.001729 ... 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.001729
1 0.000864 0.004322 0.002593 0.000864 0.000864 0.001729 0.000864 0.000864 0.002593 0.001729 ... 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.001729
2 0.000864 0.004322 0.002593 0.000864 0.000864 0.001729 0.000864 0.000864 0.002593 0.001729 ... 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.001729
3 0.000864 0.004322 0.002593 0.000864 0.000864 0.001729 0.000864 0.000864 0.002593 0.001729 ... 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.001729
4 0.000864 0.004322 0.002593 0.000864 0.000864 0.001729 0.000864 0.000864 0.002593 0.001729 ... 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.000864 0.001729

5 rows × 844 columns

Réduction de dimension PCA ¶

La valeur n_components correspond à la définition du taux de la variance expliquée, ici 99%.

In [600]:
variance = 0.99
pca = PCA(variance)
features_df_pca= pca.fit_transform(features_df)
In [601]:
print("Dimensions avant PCA : ", features_df.shape)
print("Dimensions après PCA : ", features_df_pca.shape)
Dimensions avant PCA :  (616, 844)
Dimensions après PCA :  (616, 1)

Une fois que la réduction de dimensions est effectuée, nous allons pouvoir visualiser les résultats avec TSNE :

  • vérifier la répartition des classes dans le jeu de données d'origine
  • vérifier la répartition des classes suite au clustering effectué sur le dataframe réduit features_df_pca

Réduction de dimension T-SNE ¶

TSNE implique des hyperparamètres tels que la perplexité, le taux d’apprentissage et le nombre d’étapes.

La perplexité définit l’écart-type, qui correspond au nombre de voisins autour de chaque point. Cette valeur est fixée à l’avance (ici à 30) et permet d’estimer la densité des distributions gaussiennes définies pour chaque point. Plus la perplexité est grande, plus la variance est grande.

In [602]:
tsne = manifold.TSNE(n_components=2, perplexity=30, n_iter=2000, init='random', random_state=6)
X_tsne = tsne.fit_transform(features_df_pca)
/home/sylwia/.local/lib/python3.9/site-packages/sklearn/manifold/_t_sne.py:790: FutureWarning: The default learning rate in TSNE will change from 200.0 to 'auto' in 1.2.
  warnings.warn(
In [603]:
# Affichage du contenu X_tsne
X_tsne[:3]
Out[603]:
array([[-2.2596946 , -0.16509892],
       [-2.2596946 , -0.16509892],
       [-0.31076252, -0.00333618]], dtype=float32)
In [604]:
# Création du dataframe T-SNE avec les labels assignés
df_tsne = pd.DataFrame(X_tsne[:,0:2], columns=['tsne1', 'tsne2'])
df_tsne["class"] = data_photos["label"]

Affichons le dataframe contenant les deux composantes TSNE ainsi que les classes correspondantes :

In [605]:
df_tsne.head()
Out[605]:
tsne1 tsne2 class
0 -2.259695 -0.165099 drink
1 -2.259695 -0.165099 drink
2 -0.310763 -0.003336 drink
3 -0.311052 -0.003277 drink
4 -0.310763 -0.003336 drink
In [606]:
df_tsne["class"].unique()
Out[606]:
array(['drink', 'food', 'inside', 'outside', 'menu'], dtype=object)

On a bien nos 5 classes. Une transformation des noms de classes (des strings) en chiffres (nous allons utiliser le Label Encoder) :

Label Encoding

In [607]:
data_photos.head()
Out[607]:
photo_id business_id caption label
0 kCs-igHmp-j6s4dLwcGjww.jpg Fp2Dk2__WHq7SK1Ah6oo0Q Fresh elixirs in every color and combo drink
1 eQ4ddWObymR6Z1zde4FX2Q.jpg cg4JFJcCxRTTMmcg9O9KtA Farmer's Daughter\nGin, egg white, bitter truth violet drink
2 98Nm9b2RcztVwUtIb1wNjA.jpg aJvxWyQIG5OLfBw3qAe8xA drink
3 4V7oGBwx76v-3pgnaObvZw.jpg ERl6OCSEIFBOqfjai_jIUg drink
4 1J0BCeWehaVukgIsTbO1fw.jpg _Dr8Bnt8us2qyPKayfj-rA drink
In [608]:
encoder = preprocessing.LabelEncoder()
data_photos["labels_bool"] = encoder.fit_transform(data_photos["label"])
In [609]:
data_photos.labels_bool.unique()
Out[609]:
array([0, 1, 2, 4, 3])
In [610]:
# Nouvelle table contenant uniquement les labels encodés
labels = data_photos["labels_bool"]
In [611]:
# Sauvegarde du fichier
joblib.dump(data_photos, 'data_labels')
Out[611]:
['data_labels']

2.1.3 Analyse des résultats ¶

Une analyse visuelle puis comparative nous permettra de mieux comprendre les résultats :

  • la répartition des classes avec TSNE selon les vrais labels
  • la répartition des classes suite au clustering effectué sur le dataframe réduit avec PCA

Enfin, nous allons essayer de définir les similarités entre les catégories et les clusters.

Analyse visuelle : affichage T-SNE selon les labels ¶

Ci-dessous on affiche les classes réelles attribuées figurant dans le jeu de données :

In [612]:
plt.figure(figsize=(10,8))
sns.scatterplot(
    x="tsne1", y="tsne2", hue="class", data=df_tsne, legend="brief",
    palette=sns.color_palette('tab10', n_colors=5), s=50, alpha=0.6)

plt.title('TSNE selon les vraies classes', fontsize = 20, pad = 30, fontweight = 'bold')
plt.xlabel('tsne1', fontsize = 20, fontweight = 'bold')
plt.ylabel('tsne2', fontsize = 20, fontweight = 'bold')
plt.legend(prop={'size': 14})

plt.show()

Analyse visuelle : affichage T-SNE selon les clusters ¶

A présent on va faire une analyse non supervisée, c'est-à-dire créer 5 clusters afin de savoir si on arrive à séparer les classes.

Création de clusters à partir de PCA ¶

In [613]:
clss5 = KMeans(n_clusters=5)
clss5.fit(features_df_pca)
/tmp/ipykernel_115741/2420071562.py:2: ConvergenceWarning: Number of distinct clusters (4) found smaller than n_clusters (5). Possibly due to duplicate points in X.
  clss5.fit(features_df_pca)
Out[613]:
KMeans(n_clusters=5)

L'erreur ConvergenceWarning signale que le nombre de clusters n'est pas compatible. Essayons un clustering à 4 grappes :

In [614]:
clss4 = KMeans(n_clusters=4)
clss4.fit(features_df_pca)
Out[614]:
KMeans(n_clusters=4)

Ajout de nouvelle colonne dans le dataframe contenant le résultat du clustering :

In [615]:
df_tsne["cluster4"] = clss4.labels_
print(df_tsne.shape)
(616, 4)
In [616]:
df_tsne.head()
Out[616]:
tsne1 tsne2 class cluster4
0 -2.259695 -0.165099 drink 2
1 -2.259695 -0.165099 drink 3
2 -0.310763 -0.003336 drink 0
3 -0.311052 -0.003277 drink 0
4 -0.310763 -0.003336 drink 0

Visualisation des résultats du clustering :

Clustering à n_clusters=4

In [617]:
plt.figure(figsize=(10,8))
sns.scatterplot(
    x="tsne1", y="tsne2",
    hue="cluster4",
    palette=sns.color_palette('tab10', n_colors=4), s=50, alpha=0.6,
    data=df_tsne,
    legend="brief")

plt.title('TSNE selon les clusters : essai à n_clusters=4', fontsize = 20, pad = 30, fontweight = 'bold')
plt.xlabel('tsne1', fontsize = 20, fontweight = 'bold')
plt.ylabel('tsne2', fontsize = 20, fontweight = 'bold')
plt.legend(prop={'size': 14}) 

plt.show()

Essayons de produire 5 clusters correspondant à la quantité de classes.

Clustering à n_clusters=5

Suite à plusieurs tentatives de définition du taux de la variance (à 0.80, 0.50, 0.10 etc), il est impossible de générer 5 clusters. Seulement en enlevant les paramètres de PCA on obtient 5 grappes :

In [618]:
#variance = 0.10
pca5 = PCA()
features_df_pca5= pca5.fit_transform(features_df)
In [619]:
print("Dimensions avant PCA : ", features_df.shape)
print("Dimensions après PCA : ", features_df_pca5.shape)
Dimensions avant PCA :  (616, 844)
Dimensions après PCA :  (616, 616)
In [620]:
clss5 = KMeans(n_clusters=5)
clss5.fit(features_df_pca5)
Out[620]:
KMeans(n_clusters=5)
In [621]:
df_tsne["cluster5"] = clss5.labels_
df_tsne.head()
Out[621]:
tsne1 tsne2 class cluster4 cluster5
0 -2.259695 -0.165099 drink 2 0
1 -2.259695 -0.165099 drink 3 2
2 -0.310763 -0.003336 drink 0 1
3 -0.311052 -0.003277 drink 0 3
4 -0.310763 -0.003336 drink 0 0
In [622]:
plt.figure(figsize=(10,8))
sns.scatterplot(
    x="tsne1", y="tsne2",
    hue="cluster5",
    palette=sns.color_palette('tab10', n_colors=5), s=50, alpha=0.6,
    data=df_tsne,
    legend="brief")

plt.title('TSNE selon les clusters : essai à n_clusters=5', fontsize = 20, pad = 30, fontweight = 'bold')
plt.xlabel('tsne1', fontsize = 20, fontweight = 'bold')
plt.ylabel('tsne2', fontsize = 20, fontweight = 'bold')
plt.legend(prop={'size': 14}) 

plt.show()

Le résultat est similaire : pas de clusters bien formés. Il est donc très difficile de séparer les catégories d'images. Nous allons confirmer cette conclusion en effectuant une analyse de mesures.

Analyse des mesures : similarité entre catégories et clusters ¶

Pour analyser les résultats, nous allons nous appuyer sur trois mesures :

  • matrice de confusion
  • score ARI
  • Silhouette score

Calcul de similarité des catégories d'images vs les clusters ¶

Silhouette Score

Utilisé pour évaluer si les points sont bien regroupés et bien séparés. Le score de silhouette prend en considération la distance intra-cluster entre l'échantillon et d'autres points de données au sein du même cluster et la distance inter-cluster entre l'échantillon et le cluster le plus proche.

Le score de silhouette :

  • de 1 signifie que les clusters sont très denses et bien séparées.
  • de 0 signifie que les clusters se chevauchent.
  • inférieur à 0 signifie que les données appartenant aux clusters peuvent être fausses/incorrectes.
In [623]:
score = silhouette_score(X_tsne, clss.labels_)  
score
Out[623]:
0.27659523

Pas de chevauchement entre les clusters.

ARI

L'indice de Rand est utilisé pour mesurer la similarité des points de données présents dans les clusters. Plus précisément, il s'agit de prendre en compte toutes les paires d'observations et compter les paires qui sont assignées aux mêmes clusters (ou à des clusters différents).

Ainsi, cette mesure doit être aussi élevée que possible, sinon nous pouvons supposer que les points de données sont attribués au hasard :

  • la valeur est égale à 0 lorsque les points sont attribués de manière aléatoire dans des clusters
  • la valeur est égale à 1 lorsque les résultats des deux clusters sont identiques.
In [624]:
# Calcul ARI
print("ARI : ", metrics.adjusted_rand_score(labels, clss5.labels_))
ARI :  0.0008020082804161105

Nous obtenons le score ARI très très faible. Cela veut dire que la répartition des points parmi les clusters est aléatoire.

Matrice de confusion - analyse par classes¶

In [625]:
df_tsne.head(3)
Out[625]:
tsne1 tsne2 class cluster4 cluster5
0 -2.259695 -0.165099 drink 2 0
1 -2.259695 -0.165099 drink 3 2
2 -0.310763 -0.003336 drink 0 1
In [626]:
# Affichage des classes détectées par cluster
df_tsne.groupby("cluster5").count()["class"]
Out[626]:
cluster5
0    611
1      1
2      1
3      1
4      2
Name: class, dtype: int64
In [627]:
# Vue countplot
plt.figure(figsize=(14,6))
sns.countplot(x='cluster5', hue='class', data=df_tsne)
plt.title('Visualisation de clusters')
plt.xlabel('Numéro de cluster')
plt.ylabel('Quantité de photos')
plt.show()

La séparation des catégories d'images semble impossible. Toutes les classes sont mélangées dans un seul cluster.

Créons à présent la matrice de confusion (qui nécessite une légère transformation pour aligner les colonnes, cf la fonction ci-dessous).

In [628]:
# Vue matrix
conf_mat = metrics.confusion_matrix(labels, clss5.labels_)
print(conf_mat)
[[118   1   1   1   2]
 [144   0   0   0   0]
 [151   0   0   0   0]
 [ 56   0   0   0   0]
 [142   0   0   0   0]]
In [629]:
# Réalisation manuellement au lieu d'utiliser la fonction "argmax"
def conf_mat_transform(y_true, y_pred, my_corresp) :
    conf_mat = metrics.confusion_matrix(y_true,y_pred)
    
    #corresp = np.argmax(conf_mat, axis=0)
    corresp = my_corresp
    print ("Correspondance des clusters : ", corresp)
    # y_pred_transform = np.apply_along_axis(correspond_fct, 1, y_pred)
    labels = pd.Series(y_true, name="y_true").to_frame()
    labels['y_pred'] = y_pred
    labels['y_pred_transform'] = labels['y_pred'].apply(lambda x : corresp[x]) 
    
    return labels['y_pred_transform']
In [630]:
my_corresp = [2, 1, 4, 3, 0]
clss_labels_transform = conf_mat_transform(labels, clss.labels_, my_corresp)
conf_mat = metrics.confusion_matrix(labels, clss_labels_transform)

print(conf_mat)
print()
print(metrics.classification_report(labels, clss_labels_transform))
Correspondance des clusters :  [2, 1, 4, 3, 0]
[[  0   0 121   1   1]
 [  0   2 142   0   0]
 [  0   2 149   0   0]
 [  0   1  55   0   0]
 [  0   2 140   0   0]]

              precision    recall  f1-score   support

           0       0.00      0.00      0.00       123
           1       0.29      0.01      0.03       144
           2       0.25      0.99      0.39       151
           3       0.00      0.00      0.00        56
           4       0.00      0.00      0.00       142

    accuracy                           0.25       616
   macro avg       0.11      0.20      0.08       616
weighted avg       0.13      0.25      0.10       616

/home/sylwia/.local/lib/python3.9/site-packages/sklearn/metrics/_classification.py:1318: UndefinedMetricWarning: Precision and F-score are ill-defined and being set to 0.0 in labels with no predicted samples. Use `zero_division` parameter to control this behavior.
  _warn_prf(average, modifier, msg_start, len(result))
/home/sylwia/.local/lib/python3.9/site-packages/sklearn/metrics/_classification.py:1318: UndefinedMetricWarning: Precision and F-score are ill-defined and being set to 0.0 in labels with no predicted samples. Use `zero_division` parameter to control this behavior.
  _warn_prf(average, modifier, msg_start, len(result))
/home/sylwia/.local/lib/python3.9/site-packages/sklearn/metrics/_classification.py:1318: UndefinedMetricWarning: Precision and F-score are ill-defined and being set to 0.0 in labels with no predicted samples. Use `zero_division` parameter to control this behavior.
  _warn_prf(average, modifier, msg_start, len(result))
In [631]:
df_cm = pd.DataFrame(conf_mat, index = [label for label in list_labels],
                  columns = [i for i in "01234"])
plt.figure(figsize = (7, 7))
sns.heatmap(df_cm, annot=True, cmap="Greens")
plt.show()

Conclusions

Il est très difficile, voire impossible, de séparer les catégories d'images. Le résultat n’est donc pas concluant avec SIFT.

2.2 CNN ¶

Convolutional Neural Network / ConvNet- les réseaux de neurones convolutifs, sont des modèles les plus performants pour la classification d'images. Leur architecture est composée de deux blocs principaux :

  • un extracteur de features qui effectue du template matching en appliquant des opérations de filtrage par convolution. La première couche filtre l'image avec plusieurs noyaux de convolution, et renvoie des "feature maps", qui sont ensuite normalisées (avec une fonction d'activation) et/ou redimensionnées.
  • un calcul des probabilités qui nécessite une transformation de valeurs en vecteur contenant autant d'éléments qu'il y a de classes.

Transfer Learning¶

Le Transfer Learning - un transfert de connaissances - permet d'utiliser les connaissances acquises par un réseau de neurones déjà existant.

Keras - une API de haut niveau supportant différentes librairies de réseaux de neurones artificiels récurrents ou convolutifs - donne accès à un certain nombre de modèles pré-entraînés les plus performants :

  • VGG (e.g. VGG16 or VGG19)
  • GoogLeNet (e.g. InceptionV3)
  • Residual Network (e.g. ResNet50)

Nous allons nous servir du modèle VGG16, développé par le Visual Graphics Group (VGG) à Oxford en 2014.

In [632]:
import tensorflow
from tensorflow import keras
print('TensorFlow version:',tensorflow.__version__)
print('Keras version:',keras.__version__)
TensorFlow version: 2.9.1
Keras version: 2.9.0

2.2.1 Utilisation du VGG-16 pré-entraîné sur une image ¶

Nous allons utiliser ce réseau pré-entraîné pour classer une image de test dans une des 1000 catégories d'ImageNet.

In [633]:
# Création du modèle :
model = VGG16(weights='imagenet')
In [634]:
# Visualisation du modèle VGG16
print(model.summary())
Model: "vgg16"
_________________________________________________________________
 Layer (type)                Output Shape              Param #   
=================================================================
 input_3 (InputLayer)        [(None, 224, 224, 3)]     0         
                                                                 
 block1_conv1 (Conv2D)       (None, 224, 224, 64)      1792      
                                                                 
 block1_conv2 (Conv2D)       (None, 224, 224, 64)      36928     
                                                                 
 block1_pool (MaxPooling2D)  (None, 112, 112, 64)      0         
                                                                 
 block2_conv1 (Conv2D)       (None, 112, 112, 128)     73856     
                                                                 
 block2_conv2 (Conv2D)       (None, 112, 112, 128)     147584    
                                                                 
 block2_pool (MaxPooling2D)  (None, 56, 56, 128)       0         
                                                                 
 block3_conv1 (Conv2D)       (None, 56, 56, 256)       295168    
                                                                 
 block3_conv2 (Conv2D)       (None, 56, 56, 256)       590080    
                                                                 
 block3_conv3 (Conv2D)       (None, 56, 56, 256)       590080    
                                                                 
 block3_pool (MaxPooling2D)  (None, 28, 28, 256)       0         
                                                                 
 block4_conv1 (Conv2D)       (None, 28, 28, 512)       1180160   
                                                                 
 block4_conv2 (Conv2D)       (None, 28, 28, 512)       2359808   
                                                                 
 block4_conv3 (Conv2D)       (None, 28, 28, 512)       2359808   
                                                                 
 block4_pool (MaxPooling2D)  (None, 14, 14, 512)       0         
                                                                 
 block5_conv1 (Conv2D)       (None, 14, 14, 512)       2359808   
                                                                 
 block5_conv2 (Conv2D)       (None, 14, 14, 512)       2359808   
                                                                 
 block5_conv3 (Conv2D)       (None, 14, 14, 512)       2359808   
                                                                 
 block5_pool (MaxPooling2D)  (None, 7, 7, 512)         0         
                                                                 
 flatten (Flatten)           (None, 25088)             0         
                                                                 
 fc1 (Dense)                 (None, 4096)              102764544 
                                                                 
 fc2 (Dense)                 (None, 4096)              16781312  
                                                                 
 predictions (Dense)         (None, 1000)              4097000   
                                                                 
=================================================================
Total params: 138,357,544
Trainable params: 138,357,544
Non-trainable params: 0
_________________________________________________________________
None

Nous remarquons que le modèle exige en entrée :

  • des images de taille 224 x 224
  • 3 canaux - photos en couleur (RGB) - 224, 224, 3
  • 4 dimensions : (None, 224, 224, 3)

A présent, nous allons effectuer une prédiction pour une photo de test. Nous allons la charger et prétraiter :

In [635]:
# Chargement et définition de la taille
img = load_img('png/resto.jpg', target_size=(224, 224))

# Conversion en tableau numpy
img = img_to_array(img)
# Ajout dela 4ème dimension
img = img.reshape((1, img.shape[0], img.shape[1], img.shape[2]))
# Prétraitement
img = preprocess_input(img)

Une fois prétraitée, le modèle va attribuer une classe (parmi les 1000 classes connues) à notre image-test :

In [636]:
# Prédire la classe de l'image (parmi les 1000 classes d'ImageNet)
y = model.predict(img)
1/1 [==============================] - 0s 452ms/step

Affichons le résultat à l'aide de la fonction decode_predictions() qui permet d'interpréter les probabilités :

In [637]:
# Afficher les 3 classes les plus probables
print('Top 3 :', decode_predictions(y, top=3)[0])
Top 3 : [('n03032252', 'cinema', 0.80120504), ('n04081281', 'restaurant', 0.038507678), ('n03788195', 'mosque', 0.019463148)]

Le résultat est une liste de classes et leurs probabilités. Affichons l'image de test :

"Image utilisée pour test VGG16"

Notre image a été identifiée en tant que cinema à 80% et restaurant seulement à 3%.

Plus loin nous allons essayer de classer les images parmi les classes qui nous intéressent le plus : ['food', 'inside', 'drink', 'outside', 'menu'].

2.2.2 Utilisation du VGG-16 pré-entraîné sur l'ensemble des photos ¶

Le réseau VGG16 a été pré-entraîné sur un problème de classification à 1000 classes.

Notre besoin est diffférent : nous sommes confrontés à un problème de classification à 5 catégories. Nous allons faire appel au Transfer Learning. L'objectif est de remplacer les dernières couches fully-connected qui permettent de ranger l'image dans une des 1000 classes par un classifieur plus adapté au problème.

Gestion des couches du modèle

  • Les couches convolutionnelles les plus proches du input apprennent des caractéristiques de bas niveau telles que des lignes

  • Les couches du milieu apprennent des caractéristiques abstraites complexes qui combinent les caractéristiques de niveau inférieur

  • Les couches plus proches de la sortie interprètent le caractéristiques extraites dans le cadre d'une tâche de classification.

Dans notre cas, nous allons utiliser le modèle pré-entraîné comme un programme d'extraction de features.

Cela signifie que l'input sera prétraitée par le modèle dans les couches de début et du milieu, en revanche il n'ira pas jusqu'au bout du processus. Notre objectif est d'obtenir un vecteur de features pour chaque image d'entrée, pour ensuite pouvoir effectuer dessus un nouveau modèle de classification plus adapté à notre analyse.

Extraction de features

Les features d'une image vont devenir un vecteur de 4 096 valeurs. Le vecteur sera utilisé pour représenter les features complexes d'une image donnée. Il sera enregistrée dans un fichier pour être chargée ultérieurement et utilisée comme input pour former un nouveau modèle.

Pour cela, nous allons enlever manuellement la dernière couche fully connected. Cela signifie que la dernière couche avec 4 096 nœuds sera la nouvelle couche de sortie.

In [638]:
# extract features from each photo in the database
def extract_features(img_database, directory):
    # load the model
    model = VGG16()
    # re-structure the model : remove the output layer
    model = Model(inputs=model.inputs, outputs=model.layers[-2].output)
    # summarize
    #print(model.summary())
    # extract features from each photo
    features = []
    for name in img_database:
        # load an image from file
        filename = directory + '/' + name
        image = load_img(filename, target_size=(224, 224))
        # convert the image pixels to a numpy array
        image = img_to_array(image)
        # reshape data for the model
        image = image.reshape((1, image.shape[0], image.shape[1], image.shape[2]))
        # prepare the image for the VGG model
        image = preprocess_input(image)
        # get features
        feature = model.predict(image, verbose=0)
        features.append(feature)
    return features
In [639]:
# extract features from all images
images_all = [data_photos.iloc[i].photo_id for i in range(len(data_photos))]
In [640]:
directory = PATH
features = extract_features(images_all, directory)
print('Extracted Features: %d' % len(features))
Extracted Features: 616
In [641]:
# Sauvegarde du fichier
joblib.dump(features, 'features_vgg16')
Out[641]:
['features_vgg16']
In [642]:
features_vgg16 = joblib.load('features_vgg16')
features_vgg16[:3]
Out[642]:
[array([[0.9933585 , 4.2247357 , 0.        , ..., 0.01073626, 1.9117758 ,
         0.        ]], dtype=float32),
 array([[4.4460106 , 1.5517998 , 0.        , ..., 0.        , 0.14328057,
         0.        ]], dtype=float32),
 array([[0.       , 0.       , 0.       , ..., 0.       , 0.       ,
         1.5977097]], dtype=float32)]
In [643]:
list_features = []
for feat in features_vgg16:
    list_features.append(feat[0])
In [644]:
# Création du dataframe
features_vgg_df = pd.DataFrame(list_features)
features_vgg_df.head()
Out[644]:
0 1 2 3 4 5 6 7 8 9 ... 4086 4087 4088 4089 4090 4091 4092 4093 4094 4095
0 0.993358 4.224736 0.0 0.000000 0.000000 0.000000 0.000000 0.000000 0.000000 0.000000 ... 0.0 2.745265 0.0 0.00000 0.000000 0.00000 3.593337 0.010736 1.911776 0.000000
1 4.446011 1.551800 0.0 0.000000 0.000000 0.659846 0.000000 0.000000 2.064061 0.000000 ... 0.0 0.000000 0.0 0.14099 0.000000 7.91609 0.000000 0.000000 0.143281 0.000000
2 0.000000 0.000000 0.0 0.420049 0.000000 5.843440 0.000000 2.279943 0.000000 2.135655 ... 0.0 0.000000 0.0 0.00000 0.000000 0.00000 0.000000 0.000000 0.000000 1.597710
3 0.000000 0.283602 0.0 0.000000 0.000000 0.000000 0.000000 2.906762 0.000000 0.000000 ... 0.0 3.585688 0.0 0.00000 0.000000 0.00000 1.503202 0.000000 0.000000 0.000000
4 0.000000 0.537772 0.0 0.000000 0.074125 1.081144 2.600257 0.000000 0.000000 3.741367 ... 0.0 0.000000 0.0 0.00000 3.439746 0.00000 0.000000 0.000000 0.000000 1.839832

5 rows × 4096 columns

In [645]:
# Sauvegarde du fichier
joblib.dump(features_vgg_df, 'features_vgg_df')
Out[645]:
['features_vgg_df']

2.2.3 Réduction de dimensions ¶

Réduction de dimension PCA ¶

Une fois que nous avons récupéré la liste de features de chaque image, nous allons réduire la dimension des vecteurs en utilisant l'algorithme PCA.

In [646]:
variance = 0.99

pca = PCA(variance)
pca.fit(features_vgg_df)
feat_vgg_pca = pca.transform(features_vgg_df)

print('Dimensions dataset avant réduction PCA : ' + str(features_vgg_df.shape[1]))
print('Dimensions dataset après réduction PCA : ' + str(pca.n_components_))
Dimensions dataset avant réduction PCA : 4096
Dimensions dataset après réduction PCA : 542

Réduction de dimension TSNE ¶

TSNE nous permettra de visualiser les résultats :

In [647]:
tsne = manifold.TSNE(n_components=2, perplexity=30, 
                     n_iter=2000, init='random', random_state=6)
X_tsne = tsne.fit_transform(feat_vgg_pca)
/home/sylwia/.local/lib/python3.9/site-packages/sklearn/manifold/_t_sne.py:790: FutureWarning: The default learning rate in TSNE will change from 200.0 to 'auto' in 1.2.
  warnings.warn(
In [648]:
# Affichage du contenu X_tsne
#X_tsne[:3]
In [649]:
# Création d'un nouveau dataframe
df_tsne = pd.DataFrame(X_tsne[:,0:2], columns=['tsne1', 'tsne2'])
df_tsne["class"] = data_photos["label"]

Affichons le dataframe contenant les deux composantes TSNE ainsi que les classes correspondantes :

In [650]:
df_tsne.head()
Out[650]:
tsne1 tsne2 class
0 -3.375161 5.726186 drink
1 -20.457029 -6.108565 drink
2 -8.407071 -2.787543 drink
3 -12.012730 1.844218 drink
4 -4.980426 -6.872967 drink

2.2.4 Analyse des résultats ¶

Analyse visuelle : affichage T-SNE selon les labels ¶

Ci-dessous on affiche les réelles classes attribuées figurant dans le jeu de données :

In [651]:
plt.figure(figsize=(10,8))
sns.scatterplot(
    x="tsne1", y="tsne2", hue="class", data=df_tsne, legend="brief",
    palette=sns.color_palette('tab10', n_colors=5), s=50, alpha=0.6)

plt.title('TSNE selon les vraies classes', fontsize = 20, pad = 30, fontweight = 'bold')
plt.xlabel('tsne1', fontsize = 20, fontweight = 'bold')
plt.ylabel('tsne2', fontsize = 20, fontweight = 'bold')
plt.legend(prop={'size': 14})

plt.show()

Affichage des images selon les clusters ¶

Création de clusters à partir de PCA ¶

In [653]:
cls = KMeans(n_clusters=5, random_state=6)
cls.fit(feat_vgg_pca)
Out[653]:
KMeans(n_clusters=5, random_state=6)
In [654]:
df_tsne["cluster"] = cls.labels_
print(df_tsne.shape)
(616, 4)
In [655]:
plt.figure(figsize=(10,8))
sns.scatterplot(
    x="tsne1", y="tsne2",
    hue="cluster",
    palette=sns.color_palette('tab10', n_colors=5), s=50, alpha=0.6,
    data=df_tsne,
    legend="brief")

plt.title('TSNE selon les clusters', fontsize = 20, pad = 30, fontweight = 'bold')
plt.xlabel('tsne1', fontsize = 20, fontweight = 'bold')
plt.ylabel('tsne2', fontsize = 20, fontweight = 'bold')
plt.legend(prop={'size': 14}) 

plt.show()

Les clusters sont mieux séparés, plutôt bien formés et assez homogènes. Cependant on observe des chevauchements.

Affichage des exemples de classification suivant le cluster¶

A présent, nous allons afficher les photos pour vérifier si la classifiction proposée par notre modèle correspond aux cinq classes attendues :

In [656]:
# Classes recherchées
list_labels
Out[656]:
['food', 'drink', 'inside', 'outside', 'menu']
In [657]:
# Clustering avec KMeans
kmeansVGG = KMeans(n_clusters=len(list_labels), random_state=3)
kmeansVGG.fit(feat_vgg_pca)
Out[657]:
KMeans(n_clusters=5, random_state=3)
In [658]:
# Affichage des clusters
kmeansVGG.labels_
Out[658]:
array([2, 2, 2, 2, 2, 2, 0, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 3, 2,
       2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 0, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
       2, 2, 2, 2, 2, 2, 2, 2, 0, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
       2, 2, 1, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2,
       2, 2, 2, 0, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 1, 2, 2, 2, 2, 2, 2,
       2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 2, 0, 0, 0, 4, 2, 0, 0, 0, 2,
       0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
       0, 0, 0, 0, 0, 0, 0, 0, 0, 1, 0, 0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0,
       0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 0, 2, 0, 0, 0, 0, 0, 0, 0, 0, 0, 0,
       2, 0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 0, 3, 0, 0, 4, 0, 0, 0, 0,
       0, 3, 0, 0, 0, 0, 0, 0, 2, 0, 0, 2, 2, 0, 0, 0, 0, 0, 0, 2, 2, 0,
       0, 0, 0, 0, 0, 0, 0, 0, 0, 0, 2, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 0,
       0, 0, 0, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 0, 4, 4, 4, 0, 4, 4, 4, 4,
       4, 4, 4, 4, 1, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 1, 4, 4, 1, 4, 4,
       4, 2, 1, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 1, 4, 4, 4, 4,
       4, 4, 4, 2, 4, 4, 4, 0, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 1,
       4, 4, 4, 2, 4, 4, 1, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4, 4,
       4, 4, 4, 4, 4, 4, 4, 4, 4, 1, 4, 4, 4, 4, 4, 4, 4, 4, 4, 3, 4, 4,
       4, 4, 4, 4, 1, 4, 0, 4, 1, 4, 4, 2, 3, 4, 4, 1, 4, 1, 4, 4, 4, 0,
       1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 4, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
       1, 1, 1, 4, 1, 2, 1, 1, 1, 4, 1, 4, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1,
       1, 1, 4, 1, 1, 1, 1, 1, 4, 1, 1, 1, 1, 1, 2, 1, 1, 1, 1, 1, 1, 1,
       1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 4,
       1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 4, 1, 1, 1, 1, 1, 1, 1, 1, 1, 4,
       1, 1, 4, 1, 4, 1, 1, 1, 4, 1, 1, 1, 1, 1, 1, 1, 1, 1, 1, 4, 1, 4,
       1, 1, 1, 1, 1, 3, 4, 1, 1, 1, 3, 0, 3, 3, 3, 3, 3, 3, 3, 3, 3, 3,
       3, 4, 3, 3, 3, 3, 3, 3, 3, 3, 3, 1, 3, 3, 1, 3, 3, 3, 3, 3, 3, 3,
       3, 3, 3, 3, 3, 1, 3, 1, 3, 3, 4, 3, 3, 3, 3, 3, 1, 3, 3, 3, 3, 3],
      dtype=int32)
In [659]:
# Stockage des noms de photos dans une liste
liste_noms_image = []
for i, row in data_photos.iterrows():
    nom = PATH + data_photos.photo_id[i]
    liste_noms_image.append(nom)
liste_noms_image = [name.split('/')[-1] for name in liste_noms_image]
In [660]:
# Check taille
print(len(liste_noms_image))
liste_noms_image[:3]
616
Out[660]:
['kCs-igHmp-j6s4dLwcGjww.jpg',
 'eQ4ddWObymR6Z1zde4FX2Q.jpg',
 '98Nm9b2RcztVwUtIb1wNjA.jpg']
In [661]:
# Stockage de photos au niveau des clusters respectifs
groups = {}
for file, cluster in zip(liste_noms_image, kmeansVGG.labels_):
    if cluster not in groups.keys():
        groups[cluster] = []
        groups[cluster].append(file)
    else:
        groups[cluster].append(file)
In [662]:
# Stockage des résultats dans un dataframe
cluster_groups = pd.DataFrame(groups.items(), columns=['Cluster', 'Image'])
#cluster_groups.head()
In [663]:
# Fonction permettant d'afficher les photos appartenant à un cluster donné
def view_cluster(cluster):
    plt.figure(figsize=(25, 25))
    # gets the list of filenames for a cluster
    files = groups[cluster]
    # only allow up to 30 images to be shown at a time
    if len(files) > 30:
        print(f"Clipping cluster size from {len(files)} to 30")
        files = files[:29]
    # plot each image in the cluster
    for index, file in enumerate(files):
        plt.subplot(8, 8, index+1)
        img = load_img(PATH + file)
        img = np.array(img)
        plt.imshow(img)
        plt.axis('off')

Nous allons afficher les clusters un par un (dans la limite de 30 photos) :

In [664]:
view_cluster(1)
Clipping cluster size from 144 to 30

Ce cluster semble correspondre à la classe "outside", ave quelques erreurs.

In [665]:
view_cluster(2)
Clipping cluster size from 137 to 30

Ce cluster correspond clairement à la classe "drink", pas d'erreurs constatées.

In [666]:
view_cluster(3)
Clipping cluster size from 54 to 30

Ce cluster correspond à la classe "menu", très peu d'erreurs.

In [667]:
view_cluster(4)
Clipping cluster size from 147 to 30

Ce cluster correspond clairement à la classe "inside".

In [668]:
view_cluster(0)
Clipping cluster size from 134 to 30

Ce cluster correspond à la classe "food".

Analyse des mesures : similarité entre catégories et clusters ¶

Comme précédemment, nous allons comparer les trois mesures :

  • matrice de confusion
  • score ARI
  • Silhouette score

Calcul de similarité des catégories d'images vs les clusters ¶

Silhouette Score

In [669]:
score = silhouette_score(X_tsne, cls.labels_)  
score
Out[669]:
0.3790156

Le score est plus élevé que le précédent : 0.37 vs 0.26.

ARI

In [670]:
# Calcul ARI
print("ARI : ", metrics.adjusted_rand_score(labels, cls.labels_))
ARI :  0.6749992777265746

Nous obtenons le score ARI de loin meilleur que le précédent : 0.0008% contre 67% !

Matrice de confusion - analyse par classes¶

In [671]:
df_tsne.head()
Out[671]:
tsne1 tsne2 class cluster
0 -3.375161 5.726186 drink 4
1 -20.457029 -6.108565 drink 4
2 -8.407071 -2.787543 drink 4
3 -12.012730 1.844218 drink 4
4 -4.980426 -6.872967 drink 4
In [672]:
# Affichage des classes détectées par cluster
df_tsne.groupby("cluster").count()["class"]
Out[672]:
cluster
0    140
1    133
2    142
3     51
4    150
Name: class, dtype: int64
In [673]:
# Visualisation des résultats avec un countplot
plt.figure(figsize=(14,6))
sns.countplot(x='cluster', hue='class', data=df_tsne)
plt.title('Visualisation de clusters')
plt.xlabel('Numéro de cluster')
plt.ylabel('Quantité de photos')
plt.show()

Observations :

Les clusters sont très homogènes Chaque cluster est dominé par une catégorie, sauf le troisième qui semble les mélanger toutes, ce qui confirme l'analyse des images affichées plus haut. La classe qui prend le dessus dans ce cluster est menu.

Créons à présent la matrice de confusion.

In [674]:
# Vue matrix
conf_mat = metrics.confusion_matrix(labels, cls.labels_)
print(conf_mat)
[[  2   5   0   1 115]
 [  0 122   1   1  20]
 [ 11   5 123   0  12]
 [  5   1   2  48   0]
 [122   0  16   1   3]]
In [675]:
my_corresp = [4, 1, 2, 3, 0]
cls_labels_transform = conf_mat_transform(labels, cls.labels_, my_corresp)
conf_mat = metrics.confusion_matrix(labels, cls_labels_transform)

print(conf_mat)
print()
print(metrics.classification_report(labels, cls_labels_transform))
Correspondance des clusters :  [4, 1, 2, 3, 0]
[[115   5   0   1   2]
 [ 20 122   1   1   0]
 [ 12   5 123   0  11]
 [  0   1   2  48   5]
 [  3   0  16   1 122]]

              precision    recall  f1-score   support

           0       0.77      0.93      0.84       123
           1       0.92      0.85      0.88       144
           2       0.87      0.81      0.84       151
           3       0.94      0.86      0.90        56
           4       0.87      0.86      0.87       142

    accuracy                           0.86       616
   macro avg       0.87      0.86      0.87       616
weighted avg       0.87      0.86      0.86       616

In [676]:
df_cm = pd.DataFrame(conf_mat, index = [label for label in list_labels],
                  columns = [i for i in "01234"])
plt.figure(figsize = (7, 7))
sns.heatmap(df_cm, annot=True, cmap="Oranges")
plt.show()

Conclusions

Les résultats sont très satisfaisants. L'algorithme a bien classé les images de toutes les catégories. Les photos les moins bien séparées appartiennent au label outside - seulement 48 photos reconnues sur 56.

La classification avec VGG16 est de loin meilleure avec 86% d'accuracy pour l'ensemble des catégories.

3. Validation de la faisabilité ¶

Dans un souci de valider la faisabilité de la solution, nous allons collecter de nouvelles données via l'API YELP.

Collecte de données via l'API Yelp ¶

Nous allons collecter les informations relatives à environ 200 restaurants pour une ville donnée :

In [677]:
def get_reviews_and_photos(restaurant_nb,location):

    # Récupération de la clé de l'API YELP
    load_dotenv()
    YELP_API_KEY = os.getenv("YELP_API_KEY")

    # On crée le header de la requête
    headers = {
        "Authorization": f"Bearer {YELP_API_KEY}",
        "Content-type": "application/graphql",
    }

    # Défnition de l'URL
    URL = 'https://api.yelp.com/v3/graphql'

    # Nombre max de restaurants par requête
    LIMIT_MAX = 50
    
    
    # Nombre de requêtes à envoyer
    request_nb = np.ceil(restaurant_nb / LIMIT_MAX).astype(int)

    reviews = []
    photos = []

    # Compteur
    for i in tqdm(range(request_nb), leave=False):
        offset = i * LIMIT_MAX
        limit = min((restaurant_nb - offset), LIMIT_MAX)

        # Création des paramètres de la requête
        params = f"""{{
            search(
                location:"{location}",
                categories:"restaurants",
                sort_by:"review_count",
                limit:{limit},
                offset:{offset}
            ) {{
                total
                business {{
                    id
                    photos
                    reviews {{
                        id
                        text
                        rating
                    }}
                }}
            }}
        }}"""

        # On envoie la requête
        req = requests.post(URL, headers=headers, data=params)

        # Code erreur si KO
        if not req.ok:
            print(f"Erreur, code de status {req.status_code} avec les paramètres :")
            print(params)
            continue

        # On récupère les données reçues
        data = json.loads(req.text).get("data").get("search")

        for business in data.get("business"):
            # Ajout des commentaires
            for review in  business.get("reviews"):
                reviews.append({
                    "review_id": review.get("id"),
                    "business_id": business.get("id"),
                    "stars": review.get("rating"),
                    "text": review.get("text")
                })

            # Ajout des photos
            for photo_url in  business.get("photos"):
                photos.append({
                    "photo_url": photo_url,
                    "business_id": business.get("id")
                })

    # Création des DataFrame
    reviews = pd.DataFrame(reviews)
    photos = pd.DataFrame(photos)

    return reviews, photos
In [678]:
reviews, photos = get_reviews_and_photos(200, "NYC")
                                                                                
In [679]:
print("Nombre de nouveaux commentaires :", reviews.shape[0])
print("Nombre de nouvelles photos :", photos.shape[0])
Nombre de nouveaux commentaires : 600
Nombre de nouvelles photos : 200

Affichage de données ¶

Affichons les données collectées :

In [680]:
reviews.head()
Out[680]:
review_id business_id stars text
0 gKnt3x8FFTduKx_UWakMVA V7lXZKBDzScDeGB8JmnzSA 3 When you look up places to eat in New York City, Katz's Deli is one of the f...
1 wIT-ElLs-ryrdUSyQrXRsw V7lXZKBDzScDeGB8JmnzSA 5 No word can describe \nVery nice and tender \nBest ever sandwich \nStaff ver...
2 Z70us1M9d-pbwAxkbT4C4A V7lXZKBDzScDeGB8JmnzSA 5 Excellent, GIANT corned beef sandwiches!! Katz Lager was also outstanding! ...
3 TD9YpWt29UXU_JnpyGQgng 44SY464xDHbvOcjDzRbKkQ 5 One of my favorite ramen places I have been. \n\nThe environment is very cos...
4 7__yw0Eb3hVRpjD2MgWR-A 44SY464xDHbvOcjDzRbKkQ 3 Went here with friends for dinner.\nThe overall experience was decent. The i...
In [681]:
# Sauvegarde du fichier
joblib.dump(reviews, 'df_reviews_api')
Out[681]:
['df_reviews_api']
In [682]:
photos.head()
Out[682]:
photo_url business_id
0 https://s3-media1.fl.yelpcdn.com/bphoto/mrIdx2pZ3pR2UlqjKsSMZA/o.jpg V7lXZKBDzScDeGB8JmnzSA
1 https://s3-media1.fl.yelpcdn.com/bphoto/zF3EgqHCk7zBUwD2B3WTEA/o.jpg 44SY464xDHbvOcjDzRbKkQ
2 https://s3-media1.fl.yelpcdn.com/bphoto/MYnXprCKOS0JlpQJRMOR7Q/o.jpg xEnNFXtMLDF5kZDxfaCJgA
3 https://s3-media4.fl.yelpcdn.com/bphoto/xM4eGRjk_EfSc1V8MdkRXw/o.jpg 0CjK3esfpFcxIopebzjFxA
4 https://s3-media1.fl.yelpcdn.com/bphoto/d0XSKED0U0sTgFWhCQdY7w/o.jpg 4yPqqJDJOQX69gC66YUDkA
In [683]:
# Sauvegarde du fichier
joblib.dump(photos, 'df_photos_api')
Out[683]:
['df_photos_api']
In [684]:
def show_img_api(new_img) :
    plt.figure(figsize=(10, 8))
    imshow(new_img)
    plt.axis('off')
    plt.title("Image via l'API Yelp")
    plt.show()
In [685]:
api_img = photos.photo_url[4]
show_img_api(api_img)
In [686]:
api_img = photos.photo_url[122]
show_img_api(api_img)
In [687]:
# version curl
"""
curl -X POST -H "Authorization: Bearer xxx-key-api-xxx" -H "Content-Type: application/graphql" https://api.yelp.com/v3/graphql --data '
{
    business(id: "garaje-san-francisco") {
        name
        id
        alias
        rating
        url
    }
}'
"""
Out[687]:
'\ncurl -X POST -H "Authorization: Bearer xxx-key-api-xxx" -H "Content-Type: application/graphql" https://api.yelp.com/v3/graphql --data \'\n{\n    business(id: "garaje-san-francisco") {\n        name\n        id\n        alias\n        rating\n        url\n    }\n}\'\n'

La récupération de nouvelles données depuis le site Yelp via l'API a été effectué avec succès. Les avis ainsi que les photos s'affichent correctement.

4. Conclusion ¶

L'étude préliminaire de la fonctionnalité Détecter les sujets d’insatisfaction et Labelliser automatiquement les photos postées a permis de conclure qu'une classification supervisée ultérieure est envisageable.

Concernant les images, il est tout à fait possible de labelliser les photos et effectuer une classification supervisée. Un peaufinement de l'étape de prétraitement pourrait être envisagée dans un objectif d'amélioration des résultats.

Pour ce qui est de l'analyse des sujets d'instatisfaction - nous avons réussi à visualiser les principaux mots utilisés pour exprimer l’insatisfaction, et par conséquent définir les sources du mécontentement des clients. Il faudrait apporter des améliorations, bien sûr, par exemple en peaufinant la sélection des mots-clés.

Néanmoins, une première analyse a permis d'identifier les principaux sujets d'insatisfaction et les séparer les images en fonction des classes attribuées.

5. Sources¶

  • https://docs.python.org/fr/3/library/json.html
  • https://www.pierre-giraud.com/python-apprendre-programmer-cours/echange-donnee-module-json/
  • https://nlpcloud.com/fr/nlp-tokenization-api.html
  • https://meritis.fr/topic-model-une-machine-peut-elle-comprendre-le-sujet-dun-article/
  • https://datascienceplus.com/evaluation-of-topic-modeling-topic-coherence/
  • https://towardsdatascience.com/end-to-end-topic-modeling-in-python-latent-dirichlet-allocation-lda-35ce4ed6b3e0
  • https://www.machinelearningplus.com/nlp/topic-modeling-visualization-how-to-present-results-lda-models/#8.-Frequency-Distribution-of-Word-Counts-in-Documents
  • https://openclassrooms.com/fr/courses/4470531-classez-et-segmentez-des-donnees-visuelles/5024566-appliquez-vos-premiers-traitements-dimages
  • https://www.geeksforgeeks.org/ml-mini-batch-k-means-clustering-algorithm/
  • https://datascientest.com/comprendre-lalgorithme-t-sne-en-3-etapes
  • https://fr.wikipedia.org/wiki/Scale-invariant_feature_transform
  • https://machinelearningmastery.com/how-to-use-transfer-learning-when-developing-convolutional-neural-network-models/
  • https://www.journaldunet.fr/web-tech/guide-de-l-intelligence-artificielle/1501863-keras/